0
点赞
收藏
分享

微信扫一扫

[leetcode每日一题]1.3

​​2042. 检查句子中的数字是否递增​​

难度 简单

句子是由若干 token 组成的一个列表,token 间用 单个 空格分隔,句子没有前导或尾随空格。每个 token 要么是一个由数字 ​​0-9​​ 组成的不含前导零的 正整数 ,要么是一个由小写英文字母组成的 单词 。

  • 示例,​​"a puppy has 2 eyes 4 legs"​​ 是一个由 7 个 token 组成的句子:​​"2"​​ 和 ​​"4"​​ 是数字,其他像 ​​"puppy"​​ 这样的 tokens 属于单词。

给你一个表示句子的字符串 ​​s​​ ,你需要检查 ​​s​​ 中的 全部 数字是否从左到右严格递增(即,除了最后一个数字,​​s​​ 中的 每个 数字都严格小于它 右侧 的数字)。

如果满足题目要求,返回 ​​true​​ ,否则,返回 ​false​​ 。

示例 1:

[leetcode每日一题]1.3_字符串

输入:s = "1 box has 3 blue 4 red 6 green and 12 yellow marbles"
输出:true
解释:句子中的数字是:1, 3, 4, 6, 12 。
这些数字是按从左到右严格递增的 1 < 3 < 4 < 6 < 12 。

示例 2:

输入:s = "hello world 5 x 5"
输出:false
解释:句子中的数字是:5, 5 。这些数字不是严格递增的。

示例 3:

[leetcode每日一题]1.3_Rust_02

输入:s = "sunset is at 7 51 pm overnight lows will be in the low 50 and 60 s"
输出:false
解释:s 中的数字是:7, 51, 50, 60 。这些数字不是严格递增的。

示例 4:

输入:s = "4 5 11 26"
输出:true
解释:s 中的数字是:4, 5, 11, 26 。
这些数字是按从左到右严格递增的:4 < 5 < 11 < 26 。

提示:

  • ​3 <= s.length <= 200​
  • ​s​​ 由小写英文字母、空格和数字 ​​0​​ 到 ​​9​​ 组成(包含 ​​0​​ 和 ​​9​​)
  • ​s​​ 中数字 token 的数目在 ​​2​​ 和 ​​100​​ 之间(包含 ​​2​​ 和 ​​100​​)
  • ​s​​ 中的 token 之间由单个空格分隔
  • ​s​​ 中至少有 两个 数字
  • ​s​​ 中的每个数字都是一个 小于 ​​100​​ 的  数,且不含前导零
  • ​s​​ 不含前导或尾随空格

Solution

简单题,用Rust写。Rust的模式匹配写起来还是很舒服的。直接模拟遍历一遍数组即可。注意这里我还是写复杂了,贴一个别人的题解在下面。

代码(Rust)

impl Solution {
pub fn are_numbers_ascending(s: String) -> bool {
let v:Vec<&str> = s.split(' ').collect();
let mut cur_num: i32 = -1;
for word in v{
let tmp:i32 = match word.parse(){
Ok(num) => num,
Err(_) => -2,
};
if tmp == -2{
continue;
}
else if tmp <= cur_num{
return false;
}
else{
cur_num = tmp;
}
}
true
}
}

别人的题解。注意​​match​​​不一定要返回值,可以在​​match​​​里面​​=>​​后面直接进行任何处理。

1.if let真好用

impl Solution {
pub fn are_numbers_ascending(s: String) -> bool {
let mut prev = 0;

for word in s.split_whitespace() {
if let Ok(x) = word.parse::<i32>() {
if x <= prev {
return false;
} else {
prev = x;
}
}
}

true
}
}

作者:DrackRamoray
链接:https://leetcode.cn/problems/check-if-numbers-are-ascending-in-a-sentence/solution/rust-by-drackramoray-lrej/
来源:力扣(LeetCode
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

2.比我写得好

impl Solution {
pub fn are_numbers_ascending(s: String) -> bool {
let mut tmp = 0;
for token in s.split(" ") {
match token.parse() {
Ok(token) => {
if token <= tmp {
return false;
} else {
tmp = token;
}
},
Err(err) => continue,
};
}
true
}
}

作者:memorycancel
链接:https://leetcode.cn/problems/check-if-numbers-are-ascending-in-a-sentence/solution/by-memorycancel-kk6y/
来源:力扣(LeetCode
著作权归作者所有。商业转载请联系作者获得授权,非商业转载请注明出处。

举报

相关推荐

0 条评论