关于python:只读字符串中的数字

Read only numbers from a string

本问题已经有最佳答案,请猛点这里访问。

我看到过这样和这样的问题,但我仍然有问题。

我想要的是得到一个可能包含非数字字符的字符串,我只想从该字符串中提取2个数字。所以,如果我的字符串是12 ds d21a,我想提取['12', '21']

我尝试使用:

1
2
3
import re
non_decimal = re.compile(r'[^\d.]+')
non_decimal.sub("",input())

喂这根绳子。结果是12123124,这很好,但我希望非数字字符分开数字。

接下来,我尝试添加split--non_decimal.sub("",input().split())。没有帮助。

我如何才能做到这一点(假设有一种方法不包括扫描整个字符串、迭代它并"手动"提取数字)?

为了得到更多的澄清,这是我想要实现的,在C语言中。


在这种情况下,您希望使用re.findall()方法-

1
2
input_ = '12 123124kjsv dsaf31rn'
non_decimal = re.findall(r'[\d.]+', input_)

输出-

1
['12', '123124', '31']


@Vivek答案将解决您的问题。

这是另一种方法,只是一种观点:

1
2
3
4
5
6
7
import re
pattern=r'[0-9]+'
string_1="""12 ds  d21a
12 123124kjsv dsaf31rn"""


match=re.finditer(pattern,string_1)
print([find.group() for find in match])

输出:

1
['12', '21', '12', '123124', '31']


如果要提取的都是正整数,请执行以下操作:

1
2
3
>>> string ="h3110 23 cat 444.4 rabbit 11 2 dog"
>>> [int(x) for x in string.split() if x.isdigit()]
[23, 11, 2]

如果你想要更多的条件,也想要包括科学符号:

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
import re

# Format is [(<string>, <expected output>), ...]
ss = [("apple-12.34 ba33na fanc-14.23e-2yapple+45e5+67.56E+3",
       ['-12.34', '33', '-14.23e-2', '+45e5', '+67.56E+3']),
      ('hello X42 I\'m a Y-32.35 string Z30',
       ['42', '-32.35', '30']),
      ('he33llo 42 I\'m a 32 string -30',
       ['33', '42', '32', '-30']),
      ('h3110 23 cat 444.4 rabbit 11 2 dog',
       ['3110', '23', '444.4', '11', '2']),
      ('hello 12 hi 89',
       ['12', '89']),
      ('4',
       ['4']),
      ('I like 74,600 commas not,500',
       ['74,600', '500']),
      ('I like bad math 1+2=.001',
       ['1', '+2', '.001'])]

for s, r in ss:
    rr = re.findall("[-+]?[.]?[\d]+(?:,\d\d\d)*[\.]?\d*(?:[eE][-+]?\d+)?", s)
    if rr == r:
        print('GOOD')
    else:
        print('WRONG', rr, 'should be', r)

从这里拿走。