检查文本文件中的多条注释并将其打印出来

时间:2019-01-20 08:50:30

标签: c++ c++11 c++14 c++17

我正在尝试遍历文本文件,对其进行扫描并查找以#|开头的多个注释。并以|#结尾并打印出来。我正在使用get函数遍历每个字符,并使用peek函数检查下一个字符。目前,我的代码无法识别结尾的注释。请帮忙。

我尝试遍历每个字符并将其与多条注释进行比较,并将其存储在向量中

void Scanner::readingThroughTheFiles(ifstream& inFile)
{
    lineNumber = 0;
    inFile.open(fileName);
    while (!inFile.eof()) {
        char c = '\0';
        while (inFile.get(c)) { // loop getting single characters
            tokens = c;
            isAText(inFile);
            isAWord(inFile);
            // isAComment(inFile);
            if (c == '\n') {
                lineNumber++;
            }
            if (c == '#' && inFile.peek() == '|') {
                char next = inFile.peek();
                multipleComment += c;
                multipleComment += next;
                char c = tokens;
                while (inFile.get(c)) {
                    multipleComment += c;
                    if (tokens == '|' && next == '#') {
                        tokenTypes.push_back(multipleComment);
                        values.push_back("COMMENT");
                        // lineNumbers.push_back(lineNumber);
                        multipleComment.clear();
                    }
                }
            }

1 个答案:

答案 0 :(得分:2)

您的代码中的问题在这里:

if (tokens == '|' && next == '#') {

此条件永远不会成立,因为您只设置了一次next(上面几行),并且其值始终为|。看到这一行:

char next = inFile.peek();

第二个问题是变量tokens始终具有值#。也许您想做类似的事情?

if (c == '|' && inFile.peek() == '#') {
    // rest of your code
}

编辑:如果要保存行号,还应该在第二个while循环中检查\n。否则,如果注释跨越多行,则行号不会增加。

但是,在进入第二个while循环之前,应该暂时存储行号。如果不这样做,存储在向量lineNumbers中的行号将始终是最后一个行号。

int lineNumberSave = lineNumber;
while (inFile.get(c)) {
    multipleComment += c;
    if (c == '|' && inFile.peek() == '#') {
        // rest of your code
        lineNumbers.push_back(lineNumberSave);
    }
}