一、原题
(原题链接Count Digits - python coding challenges - Py.CheckiO)
You need to count the number of digits in a given string. | |
Input | String. |
Output | Integer |
Examples: | assert count_digits("hi") == 0 assert count_digits("who is 1st here") == 1 assert count_digits("my numbers is 2") == 1 assert ( count_digits( "This picture is an oil on canvas painting by Danish artist Anna Petersen between 1845 and 1910 year" ) == 8 ) |
二、解题
1)思路:
遍历字符串;统计数字;
关键问题:text中混有非数值型的字符串,那就不能使用强制转换为int的语句,否则程序运行中会出错
2)my way
1)直接比较字符串中的每个字符,是否与0-9的字符相同(侧向于字符方面)
def count_digits(text: str) -> int:
count=0;
for i in text:
if i=='0':
count=count+1
if i=='1':
count=count+1
if i=='2':
count=count+1
if i=='3':
count=count+1
if i=='4':
count=count+1
if i=='5':
count=count+1
if i=='6':
count=count+1
if i=='7':
count=count+1
if i=='8':
count=count+1
if i=='9':
count=count+1
return count;
2)用try except finally “跳过“强制转换报错问题
def count_digits(text: str) -> int:
count=0;
for i in text:
try:
if int(i)>=0 and int(i)<=9:
count=count+1
finally:
continue
return count;
3)用isdigit()判断是不是数字
def count_digits(text: str) -> int:
count=0;
for i in text:
if i.isdigit():
if int(i)>=0 and int(i)<=9:
count=count+1
return count
拓展:
三、总结
1.isdigit()函数的用法
1)判断单个字符是否是数字
(参考链接python中的isdigit()函数的用法_python中isdigit函数怎么用-CSDN博客)
法3就用到此方法
m='c'
m.isdigit()#
2) 判断字符串是否全部是数字
m='123ad4'
if m.isdigit():#用来判断m是否全由数字组成,返回为true or false
print('true')
else:
print('false')
2.match-case语句(switch-case)
(参考链接python 3.10 新增 switch-case 简介_python case-CSDN博客)
match subject:
case <pattern_1>:
<action_1>
case <pattern_2>:
<action_2>
case <pattern_3>:
<action_3>
case _:
<action_wildcard>
如果能匹配到,就返回对应的语句,否则就返回最后一行的通配语句。
3.try-catch-finally-else
(参考链接python中的try-catch-finally-else简介_python try catch语句-CSDN博客)
else只在没有异常的时候执行。
finally总在最后执行,不管有没有异常。
4.强制类型转换
(参考链接)python中的强制类型转换_python强制类型转换-CSDN博客
1)方法:
a = 1 #定义整型a
b = float(a)
数据类型(被转换变量)
2)注意:
(1)混有非数值型的字符串,那就不能使用强制转换为int的语句,否则程序运行中会出错