请你来实现一个 atoi 函数,使其能将字符串转换成整数。
执行用时:44 ms; 内存消耗:11.7MB 效果:还行
class Solution(object):
def myAtoi(self, str):
"""
:type str: str
:rtype: int
"""
a=0
res=""
for i in str:
if i==' ' and len(res)==0:
continue
elif ((i=='+' or i=='-') and len(res)==0) or (i>='0' and i<='9'):
res+=i
else: break
if len(res)==0:
return 0
if res[0]=='-' or res[0]=='+':
if len(res)!=1:
if res[0]=='-':
a=-int(res[1:])
else:
a=int(res[1:])
else: return 0
else: a=int(res)
if a>2**31-1:
return 2**31-1
elif a<-2**31:
return -2**31
return a
执行时间:96 ms; 内存消耗:13.4MB 效果:一般
class Solution:
def myAtoi(self, strs: str) -> int:
import re
str_strip_blank = strs.lstrip(' ')
if not str_strip_blank:
return 0
num_str = re.search(r'^[-+]?\d+', str_strip_blank) ##还未学正则表达式
if num_str:
num = int(num_str.group())
if num < -2147483648:
return -2147483648
elif num > 2147483647:
return 2147483647
return int(num)
return 0
str.strip() 移除头尾指定字符 str.lstrip() 只移除头 str.rstrip() 只移除尾
正则表达式模块re
num_str.group() 返回匹配后所有成员 可以用索引方式 num_str.group[0]等
执行用时:60 ms; 内存消耗:13.2MB 效果:还行
class Solution:
def myAtoi(self, strs: str) -> int:
str_strip_blank = strs.lstrip(' ')
if not str_strip_blank:
return 0
valid_start = {'+': 0, '-': 0}
valid_num = {'0': 0, '1': 0, '2': 0, '3': 0,
'4': 0, '5': 0, '6': 0, '7': 0, '8': 0, '9': 0}
if str_strip_blank[0] not in valid_start and str_strip_blank[0] not in valid_num:
return 0
start = 0
if str_strip_blank[0] in valid_start:
start = 1
index = 0
for each in str_strip_blank[start:]:
if each in valid_num:
index += 1
else:
break
if index:
num = int(str_strip_blank[0:index+start])
if num < -2147483648:
return -2147483648
elif num > 2147483647:
return 2147483647
return int(num)
return 0
原文:https://www.cnblogs.com/ymjun/p/11681744.html