本文最后更新于:2020年11月15日 晚上
写一个函数StrToInt,实现把字符串转成整数这个功能。不能使用atoi或者其他类似的库函数。
首先,该函数会根据需要丢弃无用的开头空格字符,直到寻找到第一个非空格的字符为止。
当我们寻找到的第一个非空字符为正或者负号时,则将该符号与之后尽可能多的连续数字组合起来,作为该整数的正负号;假设第一个非空字符是数字,则直接将其与之后连续的数字字符组合起来,形成整数。
该字符串除了有效的整数部分之后也可能会存在多余的字符,这些字符可以被忽略,它们对于函数不应该造成影响。
注意:假设该字符串中的第一个非空格字符不是一个有效整数字符、字符串为空或字符串仅包含空白字符时,则你的函数不需要转换。
在任何情况下,若函数不能进行有效的转换时,请返回0。
说明:
假设我们的环境只能存储32位大小的有符号整数,那么其数值范围为$[-2^{31},2^{31}-1]$。如果数值超过这个范围,请返回INT_MAX($2^{31}-1$或INT_MIN$-2^{31}$)。
示例1:
输入:"42"
输出:42
代码:
class Solution:
def strToInt(self, str):
str = str.strip() # 删除首尾空格
if not str: return 0
res, i, sign = 0, 1, 1
int_max, int_min, bndry = 2 ** 31 - 1, -2 ** 31, 2 **31 //10
if str[0] == '-': sign = -1
elif str[0] != '+': i = 0 # 若无符号位,则需从i=0开始拼接
for c in str[i:]:
if not '0' <= c <= '9': break # 遇到非数字的字符则跳出
if res > bndry or res == bndry and c>'7': return int_max if sign == 1 else int_min # 数字越界处理
res = 10 * res + ord(c) - ord('0') # 数字拼接
return sign * res
若不适用trim()/strip()删除首部空格,而采取遍历跳过空格的方式,则可以将空间复杂度降低为O(1),代码如下:
class Solution:
def StrToInt(self, str):
res, i, sign, length = 0, 0, 1, len(str)
int_max, int_min, bndry = 2 ** 31 -1, -2 ** 31, 2 ** 31 // 10
if not str: return 0
while str[i] == ' ':
i += 1
if i == length: return 0 # 字符串全为空格,提前返回
if str[i] == '-': sign = -1
if str[i] in '+-': i += 1
for j in range(i, length):
if not '0'<= str[j] <= '9': break
if res > bndry or (res == bndry and str[j] > '7'):
return int_max if sign == 1 else int_min
res = 10 * res + ord(str[j]) - ord('0')
return sign * res
本博客所有文章除特别声明外,均采用 CC BY-SA 4.0 协议 ,转载请注明出处!