比较 Python 中包含数字的字符串

我有一个字符串列表,我想验证字符串上的一些条件。例如:


String_1: 'The price is 15 euros'. 

String_2: 'The price is 14 euros'. 

Condition: The price is > 14 --> OK 

我该如何验证?我实际上是这样做的:


if ('price is 13' in string): 

    print('ok')

我正在写所有有效的案例。我只想有一个条件。


米琪卡哇伊
浏览 214回答 3
3回答

慕码人8056858

您可以列出字符串中的所有整数,并在之后的 if 语句中使用它们。str = "price is 16 euros"for number in [int(s) for s in str.split() if s.isdigit()]:    if (number > 14):        print "ok"如果您的字符串包含多个数字,您可以在列表中选择要使用的数字。希望能帮助到你。

泛舟湖上清波郎朗

如果字符串仅在数字上有所不同并且数字具有相同的位数,则您可以只比较字符串。IE:String_1 = 'The price is 15 euros'String_2 = 'The price is 14 euros'String_3 = 'The price is 37 EUR'该自然会归类为String_3> String_1>String_2但不适用于:String_4 = 'The price is 114 euros'它有 3 位数字而不是 2 位,它将是String_4<String_3因此所以,如果你能从字符串中提取数字就更好了,如下所示:import redef get_price(s):&nbsp; &nbsp; m = re.match("The price is ([0-9]*)", s)&nbsp; &nbsp; if m:&nbsp; &nbsp; &nbsp; &nbsp; return = int(m.group(1))&nbsp; &nbsp; return 0现在您可以将价格作为整数进行比较:price = get_price(String_1)if price > 14:&nbsp; &nbsp; print ("Okay!"). . .if get_price(String_1) > 14:&nbsp; &nbsp; print ("Okay!")([0-9]*)- 是正则表达式的捕获组,所有在圆括号中定义的都会group(1)在Python匹配对象的方法中返回。您可以[0-9]*根据需要进一步扩展这个简单的正则表达式。如果您有字符串列表:string_list = [String_1, String_2, String_3, String_4]for s in string_list:&nbsp; &nbsp; if get_price(s) > 14:&nbsp; &nbsp; &nbsp; &nbsp; print ("'{}' is okay!".format(s))

PIPIONE

我想你的字符串中只有一个值。所以我们可以用正则表达式来做。import reString_1 = 'The price is 15 euros.'if float(re.findall(r'\d+', String_1)[0]) > 14:&nbsp; &nbsp; print("OK")
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Python