]> git.lizzy.rs Git - rust.git/blob - src/librustc_apfloat/lib.rs
Various minor/cosmetic improvements to code
[rust.git] / src / librustc_apfloat / lib.rs
1 // Copyright 2017 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 //! Port of LLVM's APFloat software floating-point implementation from the
12 //! following C++ sources (please update commit hash when backporting):
13 //! <https://github.com/llvm-mirror/llvm/tree/23efab2bbd424ed13495a420ad8641cb2c6c28f9>
14 //!
15 //! * `include/llvm/ADT/APFloat.h` -> `Float` and `FloatConvert` traits
16 //! * `lib/Support/APFloat.cpp` -> `ieee` and `ppc` modules
17 //! * `unittests/ADT/APFloatTest.cpp` -> `tests` directory
18 //!
19 //! The port contains no unsafe code, global state, or side-effects in general,
20 //! and the only allocations are in the conversion to/from decimal strings.
21 //!
22 //! Most of the API and the testcases are intact in some form or another,
23 //! with some ergonomic changes, such as idiomatic short names, returning
24 //! new values instead of mutating the receiver, and having separate method
25 //! variants that take a non-default rounding mode (with the suffix `_r`).
26 //! Comments have been preserved where possible, only slightly adapted.
27 //!
28 //! Instead of keeping a pointer to a configuration struct and inspecting it
29 //! dynamically on every operation, types (e.g., `ieee::Double`), traits
30 //! (e.g., `ieee::Semantics`) and associated constants are employed for
31 //! increased type safety and performance.
32 //!
33 //! On-heap bigints are replaced everywhere (except in decimal conversion),
34 //! with short arrays of `type Limb = u128` elements (instead of `u64`),
35 //! This allows fitting the largest supported significands in one integer
36 //! (`ieee::Quad` and `ppc::Fallback` use slightly less than 128 bits).
37 //! All of the functions in the `ieee::sig` module operate on slices.
38 //!
39 //! # Note
40 //!
41 //! This API is completely unstable and subject to change.
42
43 #![doc(html_logo_url = "https://www.rust-lang.org/logos/rust-logo-128x128-blk-v2.png",
44       html_favicon_url = "https://doc.rust-lang.org/favicon.ico",
45       html_root_url = "https://doc.rust-lang.org/nightly/")]
46 #![forbid(unsafe_code)]
47
48 #![feature(nll)]
49 #![feature(try_from)]
50 // See librustc_cratesio_shim/Cargo.toml for a comment explaining this.
51 #[allow(unused_extern_crates)]
52 extern crate rustc_cratesio_shim;
53
54 #[macro_use]
55 extern crate bitflags;
56 extern crate smallvec;
57
58 use std::cmp::Ordering;
59 use std::fmt;
60 use std::ops::{Neg, Add, Sub, Mul, Div, Rem};
61 use std::ops::{AddAssign, SubAssign, MulAssign, DivAssign, RemAssign};
62 use std::str::FromStr;
63
64 bitflags! {
65     /// IEEE-754R 7: Default exception handling.
66     ///
67     /// UNDERFLOW or OVERFLOW are always returned or-ed with INEXACT.
68     #[must_use]
69     pub struct Status: u8 {
70         const OK = 0x00;
71         const INVALID_OP = 0x01;
72         const DIV_BY_ZERO = 0x02;
73         const OVERFLOW = 0x04;
74         const UNDERFLOW = 0x08;
75         const INEXACT = 0x10;
76     }
77 }
78
79 #[must_use]
80 #[derive(Copy, Clone, PartialEq, Eq, PartialOrd, Ord, Debug)]
81 pub struct StatusAnd<T> {
82     pub status: Status,
83     pub value: T,
84 }
85
86 impl Status {
87     pub fn and<T>(self, value: T) -> StatusAnd<T> {
88         StatusAnd {
89             status: self,
90             value,
91         }
92     }
93 }
94
95 impl<T> StatusAnd<T> {
96     pub fn map<F: FnOnce(T) -> U, U>(self, f: F) -> StatusAnd<U> {
97         StatusAnd {
98             status: self.status,
99             value: f(self.value),
100         }
101     }
102 }
103
104 #[macro_export]
105 macro_rules! unpack {
106     ($status:ident|=, $e:expr) => {
107         match $e {
108             $crate::StatusAnd { status, value } => {
109                 $status |= status;
110                 value
111             }
112         }
113     };
114     ($status:ident=, $e:expr) => {
115         match $e {
116             $crate::StatusAnd { status, value } => {
117                 $status = status;
118                 value
119             }
120         }
121     }
122 }
123
124 /// Category of internally-represented number.
125 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
126 pub enum Category {
127     Infinity,
128     NaN,
129     Normal,
130     Zero,
131 }
132
133 /// IEEE-754R 4.3: Rounding-direction attributes.
134 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
135 pub enum Round {
136     NearestTiesToEven,
137     TowardPositive,
138     TowardNegative,
139     TowardZero,
140     NearestTiesToAway,
141 }
142
143 impl Neg for Round {
144     type Output = Round;
145     fn neg(self) -> Round {
146         match self {
147             Round::TowardPositive => Round::TowardNegative,
148             Round::TowardNegative => Round::TowardPositive,
149             Round::NearestTiesToEven | Round::TowardZero | Round::NearestTiesToAway => self,
150         }
151     }
152 }
153
154 /// A signed type to represent a floating point number's unbiased exponent.
155 pub type ExpInt = i16;
156
157 // \c ilogb error results.
158 pub const IEK_INF: ExpInt = ExpInt::max_value();
159 pub const IEK_NAN: ExpInt = ExpInt::min_value();
160 pub const IEK_ZERO: ExpInt = ExpInt::min_value() + 1;
161
162 #[derive(Copy, Clone, PartialEq, Eq, Debug)]
163 pub struct ParseError(pub &'static str);
164
165 /// A self-contained host- and target-independent arbitrary-precision
166 /// floating-point software implementation.
167 ///
168 /// `apfloat` uses significand bignum integer arithmetic as provided by functions
169 /// in the `ieee::sig`.
170 ///
171 /// Written for clarity rather than speed, in particular with a view to use in
172 /// the front-end of a cross compiler so that target arithmetic can be correctly
173 /// performed on the host. Performance should nonetheless be reasonable,
174 /// particularly for its intended use. It may be useful as a base
175 /// implementation for a run-time library during development of a faster
176 /// target-specific one.
177 ///
178 /// All 5 rounding modes in the IEEE-754R draft are handled correctly for all
179 /// implemented operations. Currently implemented operations are add, subtract,
180 /// multiply, divide, fused-multiply-add, conversion-to-float,
181 /// conversion-to-integer and conversion-from-integer. New rounding modes
182 /// (e.g., away from zero) can be added with three or four lines of code.
183 ///
184 /// Four formats are built-in: IEEE single precision, double precision,
185 /// quadruple precision, and x87 80-bit extended double (when operating with
186 /// full extended precision). Adding a new format that obeys IEEE semantics
187 /// only requires adding two lines of code: a declaration and definition of the
188 /// format.
189 ///
190 /// All operations return the status of that operation as an exception bit-mask,
191 /// so multiple operations can be done consecutively with their results or-ed
192 /// together. The returned status can be useful for compiler diagnostics; e.g.,
193 /// inexact, underflow and overflow can be easily diagnosed on constant folding,
194 /// and compiler optimizers can determine what exceptions would be raised by
195 /// folding operations and optimize, or perhaps not optimize, accordingly.
196 ///
197 /// At present, underflow tininess is detected after rounding; it should be
198 /// straight forward to add support for the before-rounding case too.
199 ///
200 /// The library reads hexadecimal floating point numbers as per C99, and
201 /// correctly rounds if necessary according to the specified rounding mode.
202 /// Syntax is required to have been validated by the caller.
203 ///
204 /// It also reads decimal floating point numbers and correctly rounds according
205 /// to the specified rounding mode.
206 ///
207 /// Non-zero finite numbers are represented internally as a sign bit, a 16-bit
208 /// signed exponent, and the significand as an array of integer limbs. After
209 /// normalization of a number of precision P the exponent is within the range of
210 /// the format, and if the number is not denormal the P-th bit of the
211 /// significand is set as an explicit integer bit. For denormals the most
212 /// significant bit is shifted right so that the exponent is maintained at the
213 /// format's minimum, so that the smallest denormal has just the least
214 /// significant bit of the significand set. The sign of zeros and infinities
215 /// is significant; the exponent and significand of such numbers is not stored,
216 /// but has a known implicit (deterministic) value: 0 for the significands, 0
217 /// for zero exponent, all 1 bits for infinity exponent. For NaNs the sign and
218 /// significand are deterministic, although not really meaningful, and preserved
219 /// in non-conversion operations. The exponent is implicitly all 1 bits.
220 ///
221 /// `apfloat` does not provide any exception handling beyond default exception
222 /// handling. We represent Signaling NaNs via IEEE-754R 2008 6.2.1 should clause
223 /// by encoding Signaling NaNs with the first bit of its trailing significand
224 /// as 0.
225 ///
226 /// Future work
227 /// ===========
228 ///
229 /// Some features that may or may not be worth adding:
230 ///
231 /// Optional ability to detect underflow tininess before rounding.
232 ///
233 /// New formats: x87 in single and double precision mode (IEEE apart from
234 /// extended exponent range) (hard).
235 ///
236 /// New operations: sqrt, nexttoward.
237 ///
238 pub trait Float
239     : Copy
240     + Default
241     + FromStr<Err = ParseError>
242     + PartialOrd
243     + fmt::Display
244     + Neg<Output = Self>
245     + AddAssign
246     + SubAssign
247     + MulAssign
248     + DivAssign
249     + RemAssign
250     + Add<Output = StatusAnd<Self>>
251     + Sub<Output = StatusAnd<Self>>
252     + Mul<Output = StatusAnd<Self>>
253     + Div<Output = StatusAnd<Self>>
254     + Rem<Output = StatusAnd<Self>> {
255     /// Total number of bits in the in-memory format.
256     const BITS: usize;
257
258     /// Number of bits in the significand. This includes the integer bit.
259     const PRECISION: usize;
260
261     /// The largest E such that 2<sup>E</sup> is representable; this matches the
262     /// definition of IEEE 754.
263     const MAX_EXP: ExpInt;
264
265     /// The smallest E such that 2<sup>E</sup> is a normalized number; this
266     /// matches the definition of IEEE 754.
267     const MIN_EXP: ExpInt;
268
269     /// Positive Zero.
270     const ZERO: Self;
271
272     /// Positive Infinity.
273     const INFINITY: Self;
274
275     /// NaN (Not a Number).
276     // FIXME(eddyb) provide a default when qnan becomes const fn.
277     const NAN: Self;
278
279     /// Factory for QNaN values.
280     // FIXME(eddyb) should be const fn.
281     fn qnan(payload: Option<u128>) -> Self;
282
283     /// Factory for SNaN values.
284     // FIXME(eddyb) should be const fn.
285     fn snan(payload: Option<u128>) -> Self;
286
287     /// Largest finite number.
288     // FIXME(eddyb) should be const (but FloatPair::largest is nontrivial).
289     fn largest() -> Self;
290
291     /// Smallest (by magnitude) finite number.
292     /// Might be denormalized, which implies a relative loss of precision.
293     const SMALLEST: Self;
294
295     /// Smallest (by magnitude) normalized finite number.
296     // FIXME(eddyb) should be const (but FloatPair::smallest_normalized is nontrivial).
297     fn smallest_normalized() -> Self;
298
299     // Arithmetic
300
301     fn add_r(self, rhs: Self, round: Round) -> StatusAnd<Self>;
302     fn sub_r(self, rhs: Self, round: Round) -> StatusAnd<Self> {
303         self.add_r(-rhs, round)
304     }
305     fn mul_r(self, rhs: Self, round: Round) -> StatusAnd<Self>;
306     fn mul_add_r(self, multiplicand: Self, addend: Self, round: Round) -> StatusAnd<Self>;
307     fn mul_add(self, multiplicand: Self, addend: Self) -> StatusAnd<Self> {
308         self.mul_add_r(multiplicand, addend, Round::NearestTiesToEven)
309     }
310     fn div_r(self, rhs: Self, round: Round) -> StatusAnd<Self>;
311     /// IEEE remainder.
312     // This is not currently correct in all cases.
313     fn ieee_rem(self, rhs: Self) -> StatusAnd<Self> {
314         let mut v = self;
315
316         let status;
317         v = unpack!(status=, v / rhs);
318         if status == Status::DIV_BY_ZERO {
319             return status.and(self);
320         }
321
322         assert!(Self::PRECISION < 128);
323
324         let status;
325         let x = unpack!(status=, v.to_i128_r(128, Round::NearestTiesToEven, &mut false));
326         if status == Status::INVALID_OP {
327             return status.and(self);
328         }
329
330         let status;
331         let mut v = unpack!(status=, Self::from_i128(x));
332         assert_eq!(status, Status::OK); // should always work
333
334         let status;
335         v = unpack!(status=, v * rhs);
336         assert_eq!(status - Status::INEXACT, Status::OK); // should not overflow or underflow
337
338         let status;
339         v = unpack!(status=, self - v);
340         assert_eq!(status - Status::INEXACT, Status::OK); // likewise
341
342         if v.is_zero() {
343             status.and(v.copy_sign(self)) // IEEE754 requires this
344         } else {
345             status.and(v)
346         }
347     }
348     /// C fmod, or llvm frem.
349     fn c_fmod(self, rhs: Self) -> StatusAnd<Self>;
350     fn round_to_integral(self, round: Round) -> StatusAnd<Self>;
351
352     /// IEEE-754R 2008 5.3.1: nextUp.
353     fn next_up(self) -> StatusAnd<Self>;
354
355     /// IEEE-754R 2008 5.3.1: nextDown.
356     ///
357     /// *NOTE* since nextDown(x) = -nextUp(-x), we only implement nextUp with
358     /// appropriate sign switching before/after the computation.
359     fn next_down(self) -> StatusAnd<Self> {
360         (-self).next_up().map(|r| -r)
361     }
362
363     fn abs(self) -> Self {
364         if self.is_negative() { -self } else { self }
365     }
366     fn copy_sign(self, rhs: Self) -> Self {
367         if self.is_negative() != rhs.is_negative() {
368             -self
369         } else {
370             self
371         }
372     }
373
374     // Conversions
375     fn from_bits(input: u128) -> Self;
376     fn from_i128_r(input: i128, round: Round) -> StatusAnd<Self> {
377         if input < 0 {
378             Self::from_u128_r(input.wrapping_neg() as u128, -round).map(|r| -r)
379         } else {
380             Self::from_u128_r(input as u128, round)
381         }
382     }
383     fn from_i128(input: i128) -> StatusAnd<Self> {
384         Self::from_i128_r(input, Round::NearestTiesToEven)
385     }
386     fn from_u128_r(input: u128, round: Round) -> StatusAnd<Self>;
387     fn from_u128(input: u128) -> StatusAnd<Self> {
388         Self::from_u128_r(input, Round::NearestTiesToEven)
389     }
390     fn from_str_r(s: &str, round: Round) -> Result<StatusAnd<Self>, ParseError>;
391     fn to_bits(self) -> u128;
392
393     /// Convert a floating point number to an integer according to the
394     /// rounding mode. In case of an invalid operation exception,
395     /// deterministic values are returned, namely zero for NaNs and the
396     /// minimal or maximal value respectively for underflow or overflow.
397     /// If the rounded value is in range but the floating point number is
398     /// not the exact integer, the C standard doesn't require an inexact
399     /// exception to be raised. IEEE-854 does require it so we do that.
400     ///
401     /// Note that for conversions to integer type the C standard requires
402     /// round-to-zero to always be used.
403     ///
404     /// The *is_exact output tells whether the result is exact, in the sense
405     /// that converting it back to the original floating point type produces
406     /// the original value. This is almost equivalent to result==Status::OK,
407     /// except for negative zeroes.
408     fn to_i128_r(self, width: usize, round: Round, is_exact: &mut bool) -> StatusAnd<i128> {
409         let status;
410         if self.is_negative() {
411             if self.is_zero() {
412                 // Negative zero can't be represented as an int.
413                 *is_exact = false;
414             }
415             let r = unpack!(status=, (-self).to_u128_r(width, -round, is_exact));
416
417             // Check for values that don't fit in the signed integer.
418             if r > (1 << (width - 1)) {
419                 // Return the most negative integer for the given width.
420                 *is_exact = false;
421                 Status::INVALID_OP.and(-1 << (width - 1))
422             } else {
423                 status.and(r.wrapping_neg() as i128)
424             }
425         } else {
426             // Positive case is simpler, can pretend it's a smaller unsigned
427             // integer, and `to_u128` will take care of all the edge cases.
428             self.to_u128_r(width - 1, round, is_exact).map(
429                 |r| r as i128,
430             )
431         }
432     }
433     fn to_i128(self, width: usize) -> StatusAnd<i128> {
434         self.to_i128_r(width, Round::TowardZero, &mut true)
435     }
436     fn to_u128_r(self, width: usize, round: Round, is_exact: &mut bool) -> StatusAnd<u128>;
437     fn to_u128(self, width: usize) -> StatusAnd<u128> {
438         self.to_u128_r(width, Round::TowardZero, &mut true)
439     }
440
441     fn cmp_abs_normal(self, rhs: Self) -> Ordering;
442
443     /// Bitwise comparison for equality (QNaNs compare equal, 0!=-0).
444     fn bitwise_eq(self, rhs: Self) -> bool;
445
446     // IEEE-754R 5.7.2 General operations.
447
448     /// Implements IEEE minNum semantics. Returns the smaller of the 2 arguments if
449     /// both are not NaN. If either argument is a NaN, returns the other argument.
450     fn min(self, other: Self) -> Self {
451         if self.is_nan() {
452             other
453         } else if other.is_nan() {
454             self
455         } else if other.partial_cmp(&self) == Some(Ordering::Less) {
456             other
457         } else {
458             self
459         }
460     }
461
462     /// Implements IEEE maxNum semantics. Returns the larger of the 2 arguments if
463     /// both are not NaN. If either argument is a NaN, returns the other argument.
464     fn max(self, other: Self) -> Self {
465         if self.is_nan() {
466             other
467         } else if other.is_nan() {
468             self
469         } else if self.partial_cmp(&other) == Some(Ordering::Less) {
470             other
471         } else {
472             self
473         }
474     }
475
476     /// IEEE-754R isSignMinus: Returns true if and only if the current value is
477     /// negative.
478     ///
479     /// This applies to zeros and NaNs as well.
480     fn is_negative(self) -> bool;
481
482     /// IEEE-754R isNormal: Returns true if and only if the current value is normal.
483     ///
484     /// This implies that the current value of the float is not zero, subnormal,
485     /// infinite, or NaN following the definition of normality from IEEE-754R.
486     fn is_normal(self) -> bool {
487         !self.is_denormal() && self.is_finite_non_zero()
488     }
489
490     /// Returns true if and only if the current value is zero, subnormal, or
491     /// normal.
492     ///
493     /// This means that the value is not infinite or NaN.
494     fn is_finite(self) -> bool {
495         !self.is_nan() && !self.is_infinite()
496     }
497
498     /// Returns true if and only if the float is plus or minus zero.
499     fn is_zero(self) -> bool {
500         self.category() == Category::Zero
501     }
502
503     /// IEEE-754R isSubnormal(): Returns true if and only if the float is a
504     /// denormal.
505     fn is_denormal(self) -> bool;
506
507     /// IEEE-754R isInfinite(): Returns true if and only if the float is infinity.
508     fn is_infinite(self) -> bool {
509         self.category() == Category::Infinity
510     }
511
512     /// Returns true if and only if the float is a quiet or signaling NaN.
513     fn is_nan(self) -> bool {
514         self.category() == Category::NaN
515     }
516
517     /// Returns true if and only if the float is a signaling NaN.
518     fn is_signaling(self) -> bool;
519
520     // Simple Queries
521
522     fn category(self) -> Category;
523     fn is_non_zero(self) -> bool {
524         !self.is_zero()
525     }
526     fn is_finite_non_zero(self) -> bool {
527         self.is_finite() && !self.is_zero()
528     }
529     fn is_pos_zero(self) -> bool {
530         self.is_zero() && !self.is_negative()
531     }
532     fn is_neg_zero(self) -> bool {
533         self.is_zero() && self.is_negative()
534     }
535
536     /// Returns true if and only if the number has the smallest possible non-zero
537     /// magnitude in the current semantics.
538     fn is_smallest(self) -> bool {
539         Self::SMALLEST.copy_sign(self).bitwise_eq(self)
540     }
541
542     /// Returns true if and only if the number has the largest possible finite
543     /// magnitude in the current semantics.
544     fn is_largest(self) -> bool {
545         Self::largest().copy_sign(self).bitwise_eq(self)
546     }
547
548     /// Returns true if and only if the number is an exact integer.
549     fn is_integer(self) -> bool {
550         // This could be made more efficient; I'm going for obviously correct.
551         if !self.is_finite() {
552             return false;
553         }
554         self.round_to_integral(Round::TowardZero).value.bitwise_eq(
555             self,
556         )
557     }
558
559     /// If this value has an exact multiplicative inverse, return it.
560     fn get_exact_inverse(self) -> Option<Self>;
561
562     /// Returns the exponent of the internal representation of the Float.
563     ///
564     /// Because the radix of Float is 2, this is equivalent to floor(log2(x)).
565     /// For special Float values, this returns special error codes:
566     ///
567     ///   NaN -> \c IEK_NAN
568     ///   0   -> \c IEK_ZERO
569     ///   Inf -> \c IEK_INF
570     ///
571     fn ilogb(self) -> ExpInt;
572
573     /// Returns: self * 2<sup>exp</sup> for integral exponents.
574     fn scalbn_r(self, exp: ExpInt, round: Round) -> Self;
575     fn scalbn(self, exp: ExpInt) -> Self {
576         self.scalbn_r(exp, Round::NearestTiesToEven)
577     }
578
579     /// Equivalent of C standard library function.
580     ///
581     /// While the C standard says exp is an unspecified value for infinity and nan,
582     /// this returns INT_MAX for infinities, and INT_MIN for NaNs (see `ilogb`).
583     fn frexp_r(self, exp: &mut ExpInt, round: Round) -> Self;
584     fn frexp(self, exp: &mut ExpInt) -> Self {
585         self.frexp_r(exp, Round::NearestTiesToEven)
586     }
587 }
588
589 pub trait FloatConvert<T: Float>: Float {
590     /// Convert a value of one floating point type to another.
591     /// The return value corresponds to the IEEE754 exceptions. *loses_info
592     /// records whether the transformation lost information, i.e., whether
593     /// converting the result back to the original type will produce the
594     /// original value (this is almost the same as return value==Status::OK,
595     /// but there are edge cases where this is not so).
596     fn convert_r(self, round: Round, loses_info: &mut bool) -> StatusAnd<T>;
597     fn convert(self, loses_info: &mut bool) -> StatusAnd<T> {
598         self.convert_r(Round::NearestTiesToEven, loses_info)
599     }
600 }
601
602 macro_rules! float_common_impls {
603     ($ty:ident<$t:tt>) => {
604         impl<$t> Default for $ty<$t> where Self: Float {
605             fn default() -> Self {
606                 Self::ZERO
607             }
608         }
609
610         impl<$t> ::std::str::FromStr for $ty<$t> where Self: Float {
611             type Err = ParseError;
612             fn from_str(s: &str) -> Result<Self, ParseError> {
613                 Self::from_str_r(s, Round::NearestTiesToEven).map(|x| x.value)
614             }
615         }
616
617         // Rounding ties to the nearest even, by default.
618
619         impl<$t> ::std::ops::Add for $ty<$t> where Self: Float {
620             type Output = StatusAnd<Self>;
621             fn add(self, rhs: Self) -> StatusAnd<Self> {
622                 self.add_r(rhs, Round::NearestTiesToEven)
623             }
624         }
625
626         impl<$t> ::std::ops::Sub for $ty<$t> where Self: Float {
627             type Output = StatusAnd<Self>;
628             fn sub(self, rhs: Self) -> StatusAnd<Self> {
629                 self.sub_r(rhs, Round::NearestTiesToEven)
630             }
631         }
632
633         impl<$t> ::std::ops::Mul for $ty<$t> where Self: Float {
634             type Output = StatusAnd<Self>;
635             fn mul(self, rhs: Self) -> StatusAnd<Self> {
636                 self.mul_r(rhs, Round::NearestTiesToEven)
637             }
638         }
639
640         impl<$t> ::std::ops::Div for $ty<$t> where Self: Float {
641             type Output = StatusAnd<Self>;
642             fn div(self, rhs: Self) -> StatusAnd<Self> {
643                 self.div_r(rhs, Round::NearestTiesToEven)
644             }
645         }
646
647         impl<$t> ::std::ops::Rem for $ty<$t> where Self: Float {
648             type Output = StatusAnd<Self>;
649             fn rem(self, rhs: Self) -> StatusAnd<Self> {
650                 self.c_fmod(rhs)
651             }
652         }
653
654         impl<$t> ::std::ops::AddAssign for $ty<$t> where Self: Float {
655             fn add_assign(&mut self, rhs: Self) {
656                 *self = (*self + rhs).value;
657             }
658         }
659
660         impl<$t> ::std::ops::SubAssign for $ty<$t> where Self: Float {
661             fn sub_assign(&mut self, rhs: Self) {
662                 *self = (*self - rhs).value;
663             }
664         }
665
666         impl<$t> ::std::ops::MulAssign for $ty<$t> where Self: Float {
667             fn mul_assign(&mut self, rhs: Self) {
668                 *self = (*self * rhs).value;
669             }
670         }
671
672         impl<$t> ::std::ops::DivAssign for $ty<$t> where Self: Float {
673             fn div_assign(&mut self, rhs: Self) {
674                 *self = (*self / rhs).value;
675             }
676         }
677
678         impl<$t> ::std::ops::RemAssign for $ty<$t> where Self: Float {
679             fn rem_assign(&mut self, rhs: Self) {
680                 *self = (*self % rhs).value;
681             }
682         }
683     }
684 }
685
686 pub mod ieee;
687 pub mod ppc;