forked from TheAlgorithms/Rust
-
Notifications
You must be signed in to change notification settings - Fork 0
/
ceil.rs
58 lines (49 loc) · 1.24 KB
/
ceil.rs
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
// In mathematics and computer science, the ceiling function maps x to the least integer greater than or equal to x
// Source: https://en.wikipedia.org/wiki/Floor_and_ceiling_functions
pub fn ceil(x: f64) -> f64 {
let x_rounded_towards_zero = x as i32 as f64;
if x < 0. || x_rounded_towards_zero == x {
x_rounded_towards_zero
} else {
x_rounded_towards_zero + 1_f64
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn positive_decimal() {
let num = 1.10;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn positive_decimal_with_small_number() {
let num = 3.01;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn positive_integer() {
let num = 1.00;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn negative_decimal() {
let num = -1.10;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn negative_decimal_with_small_number() {
let num = -1.01;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn negative_integer() {
let num = -1.00;
assert_eq!(ceil(num), num.ceil());
}
#[test]
fn zero() {
let num = 0.00;
assert_eq!(ceil(num), num.ceil());
}
}