C语言中将一个数字字符串转换为一个整数
时间: 2024-05-04 15:20:14 浏览: 268
C语言字符串转化成整数代码
在C语言中,可以使用标准库函数 `atoi()` 将一个数字字符串转换为一个整数。该函数的原型如下:
```
int atoi(const char *str);
```
其中,`str` 是需要转换的数字字符串,函数返回转换后的整数值。
例如,以下代码将字符串 `"123"` 转换为整数并打印:
```c
#include <stdio.h>
#include <stdlib.h>
int main() {
char str[] = "123";
int num = atoi(str);
printf("The converted integer is: %d\n", num);
return 0;
}
```
输出结果为:
```
The converted integer is: 123
```
需要注意的是,如果字符串中存在非数字字符,`atoi()` 函数会将其忽略,并返回转换时遇到的第一个数字之前的所有字符。如果字符串不能转换为整数,函数会返回 0。因此,在使用 `atoi()` 函数时需要谨慎处理异常情况。
阅读全文