C++读取power.txt文件第index行至第index+20行的第五列数字,并存放到数组data中,给出完整代码
时间: 2024-10-29 11:16:57 浏览: 27
在C++中,你可以使用`fstream`库来操作文本文件,`getline`函数来逐行读取,然后解析每一行获取指定位置的数据。这里是一个简单的示例,假设`power.txt`文件是以逗号分隔值(CSV)格式存在,且第五列是整数:
```cpp
#include <iostream>
#include <fstream>
#include <sstream>
#include <vector>
std::string read_line(const std::ifstream& file) {
std::string line;
getline(file, line);
return line;
}
int get_column_value(const std::string& line, int column_index) {
std::istringstream iss(line);
std::vector<std::string> columns;
std::string value;
// 分割每行到字符串向量
while (iss >> value) {
columns.push_back(value);
}
// 返回指定列的值
return std::stoi(columns[column_index - 1]); // 减一是因为索引从0开始计数
}
int main() {
const std::string filename = "power.txt";
const int startIndex = 5; // 起始行号
const int count = 20; // 需要读取的行数
int index = startIndex;
int data[count * 5]; // 假设一行有5个数据
std::ifstream file(filename);
if (!file.is_open()) {
std::cerr << "Failed to open the file!" << std::endl;
return 1;
}
while (index <= startIndex + count - 1) {
std::string line = read_line(file);
if (line.empty()) break; // 如果到达文件结尾则跳出循环
try {
for (int i = 0; i < 5; ++i) {
data[index * 5 + i] = get_column_value(line, i + 1); // 提供给get_column_value的是实际列索引,不是用户输入的起始列
}
++index;
} catch (const std::invalid_argument& e) {
std::cerr << "Invalid data in line " << index << ": " << e.what() << std::endl;
index--; // 回溯到上一行并继续尝试
}
}
file.close();
// 现在data[]数组包含了你需要的数据
// ... (后续处理data数组)
return 0;
}
```
阅读全文