再次问好Stackoverflow,
我正在创建一个后缀计算器的中缀。计算器必须从文件中读取输入,然后使用堆栈和队列来创建后缀表示法。我有我的所有代码来读取文件并在队列中创建后缀表示法。我正在阅读的文件包含:
(4→3)+(3 = 4)2
这是我的代码放入队列中的后缀表示法:
import java.io.*;
import java.util.ArrayList;
public class Proj1Main {
public static void main(String[] args) {
readMathFile();
q.printQueue();
}
public static void readMath(char c, myStack s, myQueue q) {
if (c == '0' || c == '1' || c == '2' || c == '3' || c == '4' || c == '5' || c == '6' || c == '7' || c == '8' || c == '9') {
System.out.println("NUMBER"); // <--for testing.
int o = (int)c;
q.enqueue(o);
} else if(c == '+' || c=='-') {
System.out.println("+ or -");
Object x = s.pop();
while( !s.isEmpty() ) {
q.enqueue(x);
x = s.pop();
}
} else if(c == '(' || c == ')' || c == '!' || c == '<' || c == '>' || c == '&' || c == '|' || c == '=') {
System.out.println("other operator"); // <--for testing.
Object x = s.pop();
char y = x.toString().charAt(0);
while( !s.isEmpty() && (y != '\\' || y != '*') ) {
q.enqueue(y);
y = (Character)s.pop();
if(y != '\\' || y != '*') {
q.enqueue(y);
s.push(x);
}
}
} else if(c=='\\' || c == '*') {
System.out.println("divide or multiply"); // <--for testing.
Object x = s.pop();
while( !s.isEmpty() ) {
q.enqueue(x);
x = s.pop();
}
} else if(c == ')') {
System.out.println("close paren"); // <--for testing.
Object x = s.pop();
while( !s.isEmpty() && x != "(" ) {
q.enqueue(x);
x = s.pop();
}
}
}
public static myStack s;
public static myQueue q;
// the file reading code was borrowed from:
// http://www.java2s.com/Code/Java/File-Input-Output/Readfilecharacterbycharacter.htm
public static void readMathFile() {
s = new myStack();
q = new myQueue();
File file = new File("test.txt");
if (!file.exists()) {
System.out.println(file + " does not exist.");
return;
}
if (!(file.isFile() && file.canRead())) {
System.out.println(file.getName() + " cannot be read from.");
return;
}
try {
FileInputStream fis = new FileInputStream(file);
char current;
// in this while loop is where all of the reading happens
while (fis.available() > 0) {
current = (char) fis.read();
readMath(current, s, q);
}
if(fis.available() == 0) {
Object x = s.pop();
while(!x.equals("empty stack"))
q.enqueue(s.pop());
}
} catch (IOException e) {
e.printStackTrace();
}
}
}
运行代码后,我打印输出结果为:
QUEUE: 52 51 51 52 50
我不知道52,51等来自哪里。它应该读作“4&gt; 33 = 4 + 2 +”(我想)我想知道是否有人可以识别我的问题?或者给我一些如何解决它的提示?
答案 0 :(得分:1)
52 51 51 52 50 ...分别是字符'4','3','3','4','2'的ASCII码。
当你这样做时:
current = (char) fis.read();
你自己得到了角色。
稍后在readMath()中:
int o = (int)c;
您正在转换整数并将其放入队列中。可能在打印队列时,它仍然是一个整数,它以ascii代码形式出现。
您可以通过执行以下操作将数字字符转换为它所代表的整数:
Character.getNumericValue(c);