我觉得我的问题很基本,因为我是第一学期的计算机科学专业的学生。
我被要求返回在字符串中的数字之前形成的子字符串,类似于"abcd5efgh"
。我的想法是使用一个函数给我"abcd"
。我想我需要使用.isdigit
,但我不知道如何将它变成一个函数。提前谢谢!
答案 0 :(得分:4)
可以使用regexp完成,但如果您已经发现isdigit
,为什么不在这种情况下使用它?
如果没有找到数字,您可以修改最后return s
行以返回其他内容:
def string_before_digit(s):
for i, c in enumerate(s):
if c.isdigit():
return s[:i]
return s # no digit found
print(string_before_digit("abcd5efgh"))
答案 1 :(得分:1)
我目前也是学生,这就是我如何解决这个问题: *对于我的学校,我们不允许使用python中的内置函数:/
def parse(string):
newstring = ""
for i in string:
if i >= "0" and i <= "9":
break
else:
newstring += i
print newstring #Can use return if your needing it in another function
parse("abcd5efgh")
希望这有帮助
答案 2 :(得分:1)
功能性方法:)
>>> from itertools import compress, count, imap
>>> text = "abcd5efgh"
>>> text[:next(compress(count(), imap(str.isdigit, text)), len(text))]
'abcd'
答案 3 :(得分:0)
下面的代码将使用正则表达式为您提供第一个非数字部分。
import re
myPattern=re.compile('[a-zA-Z]*')
firstNonDigitPart=myPattern.match('abcd5efgh')
firstNonDigitPart.group()
>>> 'abcd'
答案 4 :(得分:0)
如果您不被允许使用正则表达式,可能是因为他们告诉您手动明确地执行此操作,您可以这样做:
def digit_index(s):
"""Helper function."""
# next(..., -1) asks the given iterator for the next value and returns -1 if there is none.
# This iterator gives the index n of the first "true-giving" element of the asked generator expression. True-giving is any character which is a digit.
return next(
(n for n, i in enumerate(i.isdigit() for i in "abc123") if i),
-1)
def before_digit(s):
di = digit_index(s)
if di == -1: return s
return s[:di]
应该给你想要的结果。
答案 5 :(得分:0)
一个非常简单的单行,使用isdigit
:)
>>> s = 'abcd5efgh'
>>> s[:[i for i, j in enumerate([_ for _ in s]) if j.isdigit()][0]]
'abcd'
答案 6 :(得分:0)
itertools方法:
>>> from itertools import takewhile
>>> s="abcd5efgh"
>>> ''.join(takewhile(lambda x: not x.isdigit(), s))
'abcd'