我被分配了一个项目来为任何语法实现一个自上而下的回溯解析器,该语法在其重写规则的 RHS 上仅包含一个非终结符(例如 S -> aaSb | aaSa | aSa)
到目前为止,我有三种方法,包括main
,用于处理检查输入字符串的有效性。
我的目标是,使用char[][]
语法数组,根据语法检查输入字符串中的每个字符,true
如果字符串包含在语法中,则返回。
public class TDBP {
public static void main(String[] args) {
char[][] g = new char[][]
{ {'a', 'a', 'S', 'b'},
{'a', 'a', 'S', 'a'},
{'a', 'S', 'a'},
{'\0'} };
SP(g);
}
public static void SP(char[][] g) {
Scanner s = new Scanner(System.in);
boolean again = true; int pn = 0;
String test;
while(again) {
System.out.print("Next string? ");
test = s.nextLine();
if(S(pn, test, g))
System.out.println("String is in the language");
else
System.out.println("String is not in the language");
if(s.nextLine() == "\n") again = false;
}
s.close();
}
public static boolean S(int pn, String test, char[][] g) {
char[] c = test.toCharArray();
boolean exists = false;
for(int i = pn; i < g.length; i++) {
for(int j = 0; j < g[i].length; j++) {
if(c[j] == 'S')
S(++pn, test, g);
if(c[j] == g[i][j])
exists = true;
}
}
return exists;
}
}
在我的算法中,pn
是一个整数,用于跟踪我当前正在查看的语法中的哪个产生式,并确保我不会两次扫描相同的语法(例如pn
,上述语法中的 1 对应于aaSa
)。另外,我\0
代表了空字符串。
我是否正确解析了字符串?
谢谢!