句子是由若干token组成的一个列表,token间用单个空格分隔,句子没有前导或尾随空格。每个 token 要么是一个由数字0-9
组成的不含前导零的正整数,要么是一个由小写英文字母组成的单词。
- 示例,
"a puppy has 2 eyes 4 legs"
是一个由 7 个 token 组成的句子:"2"
和"4"
是数字,其他像"puppy"
这样的 tokens 属于单词。
给你一个表示句子的字符串s
,你需要检查s
中的全部数字是否从左到右严格递增(即,除了最后一个数字,s
中的每个数字都严格小于它右侧的数字)。
如果满足题目要求,返回true
,否则,返回false
。
示例 1:
输入: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:
输入: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
不含前导或尾随空格
Python:
class Solution:
def areNumbersAscending(self, s: str) -> bool:
alist = s.split()
value = 0
for item in alist:
if item.isdigit():
a = int(item)
if a <= value:
return False
else:
value = a
return True
Java:
class Solution {
public boolean areNumbersAscending(String s) {
String[] arr = s.split(" ");
int value = 0;
int b;
for(String a: arr)
{
if(isDigits(a))
{
b = Integer.parseInt(a);
if(b <= value)
return false;
else
value = b;
}
}
return true;
}
public boolean isDigits(String s)
{
for(int i = 0; i < s.length(); i++)
{
if(!Character.isDigit(s.charAt(i)))
return false;
}
return true;
}
}
留言