9

我正在尝试编写一个简单的 Bash 脚本来编译我的 C++ 代码,在这种情况下,它是一个非常简单的程序,它只需将输入读入向量然后打印向量的内容。

C++ 代码:

    #include <string>
    #include <iostream>
    #include <vector>

    using namespace std;

    int main()
    {
         vector<string> v;
         string s;

        while (cin >> s)
        v.push_back(s);

        for (int i = 0; i != v.size(); ++i)
        cout << v[i] << endl;
    }

Bash 脚本 run.sh:

    #! /bin/bash

    g++ main.cpp > output.txt

这样就编译了我的 C++ 代码并创建了 a.out 和 output.txt(因为没有输入,所以它是空的)。我使用“input.txt <”尝试了一些变体,但没有成功。我不确定如何将我的输入文件(只是一些随机单词的简短列表)传输到我的 c++ 程序的 cin 中。

4

2 回答 2

11

您必须首先编译程序以创建可执行文件。然后,您运行可执行文件。与脚本语言的解释器不同,g++它不解释源文件,而是编译源文件以创建二进制图像。

#! /bin/bash
g++ main.cpp
./a.out < "input.txt" > "output.txt"
于 2013-10-22T17:51:59.727 回答
6

g++ main.cpp编译它,然后将编译后的程序称为“a.out”(g++ 的默认输出名称)。但是你为什么要得到编译器的输出呢?我认为你想要做的是这样的:

#! /bin/bash

# Compile to a.out
g++ main.cpp -o a.out

# Then run the program with input.txt redirected
# to stdin and the stdout redirected to output.txt
./a.out < input.txt > output.txt

Lee Avital建议从文件中正确管道输入:

cat input.txt | ./a.out > output.txt

第一个只是重定向,而不是技术上的管道。您可能想在David Oneill这里阅读解释:https ://askubuntu.com/questions/172982/what-is-the-difference-between-redirection-and-pipe

于 2013-10-22T17:51:48.447 回答