我在C ++程序中调用LINUX命令,该程序创建以下输出。我需要将输出的第一列复制到C ++变量(比如一个long int)。我该怎么做??如果不可能,我怎样才能将此结果复制到我可以使用的.txt文件中?
修改
0 +0
2361294848 +2361294848
2411626496 +50331648
2545844224 +134217728
2713616384 +167772160
我把它存储为文件file.txt,我正在使用以下代码 提取左列不带0以将其存储在整数
string stringy="";
int can_can=0;
for(i=begin;i<length;i++)
{
if (buffer[i]==' ' && can_can ==1) //**buffer** is the whole text file read in char*
{
num=atoi(stringy.c_str());
array[univ]=num; // This where I store the values.
univ+=1;
can_can=1;
}
else if (buffer[i]==' ' && can_can ==0)
{
stringy="";
}
else if (buffer[i]=='+')
{can_can=0;}
else{stringy.append(buffer[i]);}
}
我收到了分段错误。可以做些什么?
提前致谢。
答案 0 :(得分:3)
只需在popen()
周围创建一个简单的streambuf包装器#include <iostream>
#include <stdio.h>
struct SimpleBuffer: public std::streambuf
{
typedef std::streambuf::traits_type traits;
typedef traits::int_type int_type;
SimpleBuffer(std::string const& command)
: stream(popen(command.c_str(), "r"))
{
this->setg(&c[0], &c[0], &c[0]);
this->setp(0, 0);
}
~SimpleBuffer()
{
if (stream != NULL)
{
fclose(stream);
}
}
virtual int_type underflow()
{
std::size_t size = fread(c, 1, 100, stream);
this->setg(&c[0], &c[0], &c[size]);
return size == 0 ? EOF : *c;
}
private:
FILE* stream;
char c[100];
};
用法:
int main()
{
SimpleBuffer buffer("echo 55 hi there Loki");
std::istream command(&buffer);
int value;
command >> value;
std::string line;
std::getline(command, line);
std::cout << "Got int(" << value << ") String (" << line << ")\n";
}
结果:
> ./a.out
Got int(55) String ( hi there Loki)
答案 1 :(得分:1)
你可能正在寻找popen
。尝试
man popen
或者看一下这个小例子:
#include <iostream>
#include <stdio.h>
using namespace std;
int main()
{
FILE *in;
char buff[512];
if(!(in = popen("my_script_from_command_line", "r"))){
return 1;
}
while(fgets(buff, sizeof(buff), in)!=NULL){
cout << buff; // here you have each line
// of the output of your script in buff
}
pclose(in);
return 0;
}
答案 2 :(得分:0)
您可能希望使用popen
来执行命令。这将为您提供FILE *
,您可以从中读取其输出。从那里,您可以解析第一个数字(例如):
fscanf(inpipe, "%d %*d", &first_num);
,就像从文件中读取一样,通常会重复,直到收到文件结束指示,例如:
long total = 0;
while (1 == fscanf(inpipe, "%l %*d", &first_num))
total = first_num;
printf("%l\n", total);
答案 3 :(得分:0)
不幸的是,由于平台API是为C编写的,因此不容易。以下是一个简单的工作示例:
#include <cstdio>
#include <iostream>
int main() {
char const* command = "ls -l";
FILE* fpipe = popen(command, "r");
if (not fpipe) {
std::cerr << "Unable to execute commmand\n";
return EXIT_FAILURE;
}
char buffer[256];
while (std::fgets(buffer, sizeof buffer, fpipe)) {
std::cout << buffer;
}
pclose(fpipe);
}
但是,我建议将FILE*
句柄包装在RAII类中以处理资源管理。