3

我正在尝试实现一个基本的词法分析器。我目前被困在文件解析上。

public ArrayList<Token> ParseFile () {

    int lineIndex = 0;
    Scanner scanner = new Scanner(this.fileName);

    while (scanner.hasNextLine()) {

        lineIndex++;
        String line = scanner.nextLine();

        if (line.equals(""))
        continue;

        String[] split = line.split("\\s"); 
        for (String s : split) {
        if (s.equals("") || s.equals("\\s*") || s.equals("\t"))
        continue;
        Token token = new Token(s, lineIndex);
        parsedFile.add(token);

        }
    }
    scanner.close();
    return this.parsedFile;
}

这是我的填充物,叫做“p++.ppp”

#include<iostream>

using namespace std ;

int a ;
int b ;

int main ( ) {

    cin >> a ;
    cin >> b ;

    while ( a != b ) {
        if ( a > b )
            a = a - b ;
        if ( b > a )
            b = b - a ;
    }

    cout << b ;

    return 0 ;
}

当我解析文件时,我得到:Error, token: p++.ppp on line: 1 is not valid但是 p++.ppp 是文件名!

此外,当我调试时,它会读取文件名,然后scanner.hasNextLine()退出。我错过了什么?

4

1 回答 1

6

您误解了Scanner. 从Scanner(String)构造函数的文档中:

构造一个新的 Scanner,它生成从指定字符串扫描的值。

参数:
source - 要扫描的字符串

它不是文件名 - 它只是一个字符串。

您应该改用Scanner(File)构造函数 - 或者更好的是,Scanner(File, String)构造函数也可以指定编码。例如:

try (Scanner scanner = new Scanner(new File(this.fileName), "UTF_8")) {
    ...
}

(注意使用 try-with-resources 语句,以便扫描仪自动关闭。)

于 2013-11-07T21:04:25.843 回答