c语言从磁盘文件中读取整数序列
时间: 2023-09-27 07:11:58 浏览: 144
可以使用C语言中的文件操作函数来实现从磁盘文件中读取整数序列。以下是一个简单的示例代码:
```c
#include <stdio.h>
#include <stdlib.h>
#define MAX_SIZE 100
int main() {
int nums[MAX_SIZE];
int num, i = 0;
FILE *fp;
fp = fopen("input.txt", "r"); // 打开文件
if (fp == NULL) {
printf("无法打开文件!\n");
exit(1);
}
while (fscanf(fp, "%d", &num) != EOF && i < MAX_SIZE) { // 逐个读取整数
nums[i++] = num;
}
fclose(fp); // 关闭文件
// 输出读取到的整数
for (int j = 0; j < i; j++) {
printf("%d ", nums[j]);
}
printf("\n");
return 0;
}
```
在示例代码中,我们使用了fopen函数打开名为input.txt的文件,并用fscanf函数逐个读取文件中的整数,将其存储在数组nums中。在读取完毕后,我们使用fclose函数关闭文件,最后输出读取到的整数序列。
相关问题
c语言从文件中读取整数
可以使用C语言中的文件操作函数来从文件中读取整数,例如使用fscanf函数。
以下是一个简单的示例代码:
```c
#include <stdio.h>
int main() {
FILE *fp;
int num;
fp = fopen("data.txt", "r");
if (fp == NULL) {
printf("Error: cannot open file!\n");
return 1;
}
fscanf(fp, "%d", &num);
printf("Read integer from file: %d\n", num);
fclose(fp);
return 0;
}
```
在上面的代码中,我们首先打开一个名为"data.txt"的文件以供读取。然后使用fscanf函数从文件中读取一个整数,并将其存储在变量num中。最后我们输出读取到的整数,并关闭文件。
C语言 从字符串中读取整数
可以使用标准库函数 atoi() 或者 sscanf() 来从字符串中读取整数。例如:
char str[] = "123";
int num = atoi(str); // num 的值为 123
或者:
char str[] = "456";
int num;
sscanf(str, "%d", &num); // num 的值为 456
阅读全文