我对getopt
的理解非常有限。
我确实知道argv[0]
是exe文件,argv[1]
是选项,argv[2]
是要比较的词,argv[3]
是我要搜索的词典或文档(档案.txt
)。
我正在尝试设置指向字典的指针,然后遍历它以查看是否与文本文件的argv[2]
(输入字)匹配,如果有匹配输出, argv[2]
字。
以下是我当前有错误的代码:
main.cpp:61: error: no match for 'operator==' in 'list == *(argv + 12u)'
main.cpp:64: error: no match for 'operator*' in '*list'
非常感谢任何帮助。
#include <cstdlib>
#include <unistd.h>
#include <vector>
#include <iostream>
#include <string>
#include <iterator>
using namespace std;
int main(int argc, char** argv) {
enum {
WHOLE, PREFIX, SUFFIX, ANYWHERE, EMBEDDED
} mode = WHOLE;
bool jumble = false;
bool ignore_case = false;
bool invert = false;
string length = "0,0";
int c;
string input;
vector <string> list;
vector <string>::iterator i;
while ((c = getopt(argc, argv, ":wpsaejivn:")) != -1) {
switch (c) {
case 'w': mode = WHOLE;
break;
case 'p': mode = PREFIX;
break;
case 's': mode = SUFFIX;
break;
case 'a': mode = ANYWHERE;
break;
case 'e': mode = EMBEDDED;
break;
case 'j': jumble = true;
break;
case 'i': ignore_case = true;
break;
case 'v': invert = true;
break;
case 'n': length = optarg;
break;
default: WHOLE;
break;
}
}
argc -= optind;
argv += optind;
switch (mode) {
case WHOLE:
while(argc != -1){
list == argv[3];
for(i == list.begin(); i != list.end(); i++)
if(argv[1] == argv[3]){
cout << *list << endl;
}else cout << "Did not work again" << endl;
}
}
return 0;
}
答案 0 :(得分:2)
如果我理解正确,你不需要这里的矢量。您需要读取文件argv [3],逐字解析并在找到等于argv [2]的单词时停止。
我想要你想要的东西:
#include <string>
#include <fstream>
#include <ostream>
using namespace std;
int main(int argc, char** argv)
{
// The part where you parse the input and validate it
// ...
// Read the dictionary specified in argv[3] and compare it with argv[2] line by line
ifstream input_file(argv[3]);
string match_string(argv[2]);
string current_string;
bool found = false;
while(getline(input_file, current_string) && !found)
found = (current_string.compare(match_string) == 0);
// Check the result
if (found)
cout << "Found " << match_string << " in " << argv[3] << endl;
else
cout << "Did not work again" << endl;
return 0;
}
在这个基本解决方案中,我假设字典文件中的每个单词都在一个单独的行中。当然,您需要根据需要对其进行修改,并根据需要添加更多输入验证。
希望它有所帮助!
答案 1 :(得分:1)
在没有进入getopt
的情况下,我认为这不是你的问题,我会回答给出一个包含单词和单词列表的文件的问题,如何确定单词是否存在于文件。
可以有很多方法可以做到这一点,但从概念上讲,它涉及以下步骤:
代码段:
#include <fstream>
#include <iostream>
#include <iterator>
#include <string>
#include <set>
int main (int argc, char *argv[])
{
// Input file stream
std::ifstream file_in(argv[3]);
// Iterators to iterate over input file
std::istream_iterator<std::string> in_begin(file_in), in_end;
// Create a dictionary of words.
// Using std::set for this.
std::set<std::string> dictionary(in_begin, in_end);
// Word to find in dictionary
std::string word(argv[2]);
// See if the word is present in our dictionary
if(dictionary.find(word) != dictionary.end())
std::cout << word << " found in " << argv[3] << std::endl;
else
std::cout << word << " not found in " << argv[3] << std::endl;
}