题解 | #把字符串转换成整数#
把字符串转换成整数
https://www.nowcoder.com/practice/1277c681251b4372bdef344468e4f26e
- 初始化结果为0和正负号标志为1。
- 遍历字符串中的每个字符。
- 如果字符是字母,直接返回0,因为字符串无法转换为整数。
- 如果字符是’+‘或者’-‘,根据具体的符号更新正负号标志,’+‘对应1,’-'对应-1。
- 如果字符是数字,将结果乘以10并加上当前数字字符所代表的数值。
- 最后,返回结果乘以正负号标志,即得到最终的整数结果。
class Solution { public: int StrToInt(string str) { // 初始化结果为0和正负号标志 int ans = 0; int isplus = 1; // 遍历字符串中的每个字符 for(char ch:str){ // 如果字符是字母,直接返回0 if(isalpha(ch)){ return 0; } // 如果字符是'+'或者'-',更新正负号标志 if(ch == '+' || ch == '-'){ isplus = ((ch == '+') ? 1 : -1); } // 如果字符是数字,更新结果 if(isdigit(ch)){ ans = ans*10+(ch-'0'); } } // 返回结果乘以正负号标志 return isplus * ans; } };