Skip to content

Commit a11870d

Browse files
committed
solve aylei#7
1 parent 57b93bc commit a11870d

File tree

3 files changed

+74
-0
lines changed

3 files changed

+74
-0
lines changed

src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -4,3 +4,4 @@ mod n0003_longest_substring;
44
mod n0004_median_of_two_sorted_arrays;
55
mod n0005_longest_palindromic_substring;
66
mod n0006_zigzag_conversion;
7+
mod n0007_reverse_integer;

src/main.rs

+3
Original file line numberDiff line numberDiff line change
@@ -73,4 +73,7 @@ fn build_desc(content: &str) -> String {
7373
.replace(""", "\"")
7474
.replace("\n\n", "\n")
7575
.replace("\n", "\n * ")
76+
.replace("−", "-")
77+
.replace("</sup>", "")
78+
.replace("<sup>", "^")
7679
}

src/n0007_reverse_integer.rs

+70
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,70 @@
1+
/**
2+
* [7] Reverse Integer
3+
*
4+
* Given a 32-bit signed integer, reverse digits of an integer.
5+
*
6+
* Example 1:
7+
*
8+
*
9+
* Input: 123
10+
* Output: 321
11+
*
12+
*
13+
* Example 2:
14+
*
15+
*
16+
* Input: -123
17+
* Output: -321
18+
*
19+
*
20+
* Example 3:
21+
*
22+
*
23+
* Input: 120
24+
* Output: 21
25+
*
26+
*
27+
* Note:<br />
28+
* Assume we are dealing with an environment which could only store integers within the 32-bit signed integer range: [-2^31, 2^31 - 1]. For the purpose of this problem, assume that your function returns 0 when the reversed integer overflows.
29+
*
30+
*/
31+
pub struct Solution {}
32+
33+
// submission codes start here
34+
impl Solution {
35+
pub fn reverse(x: i32) -> i32 {
36+
let mut input: i64 = x as i64;
37+
let mut result: i64 = 0;
38+
let mut digit: i64 = 0;
39+
let base: i64 = 2;
40+
let upper_bound: i64 = base.pow(31) - 1;
41+
let lower_bound: i64 = - base.pow(31);
42+
while input != 0 {
43+
digit = input % 10;
44+
result = result * 10 + digit;
45+
input = input / 10;
46+
}
47+
if result > upper_bound || result < lower_bound {
48+
return 0;
49+
}
50+
result as i32
51+
}
52+
}
53+
54+
// submission codes end
55+
56+
#[cfg(test)]
57+
mod tests {
58+
use super::*;
59+
60+
#[test]
61+
fn test_7() {
62+
assert_eq!(Solution::reverse(123), 321);
63+
assert_eq!(Solution::reverse(-123), -321);
64+
assert_eq!(Solution::reverse(0), 0);
65+
assert_eq!(Solution::reverse(-123000), -321);
66+
let base: i64 = 2;
67+
assert_eq!(Solution::reverse((base.pow(31) - 1) as i32), 0);
68+
assert_eq!(Solution::reverse((-base.pow(31)) as i32), 0);
69+
}
70+
}

0 commit comments

Comments
 (0)