问题
Java's StreamTokenizer seems to be too greedy in identifying numbers. It is relatively light on configuration options, and I haven't found a way to make it do what I want. The following test passes, IMO showing a bug in the implementation; what I'd really like is for the second token to be identified as a word "20001_to_30000". Any ideas?
public void testBrokenTokenizer()
throws Exception
{
final String query = "foo_bah 20001_to_30000";
StreamTokenizer tok = new StreamTokenizer(new StringReader(query));
tok.wordChars('_', '_');
assertEquals(tok.nextToken(), StreamTokenizer.TT_WORD);
assertEquals(tok.sval, "foo_bah");
assertEquals(tok.nextToken(), StreamTokenizer.TT_NUMBER);
assertEquals(tok.nval, 20001.0);
assertEquals(tok.nextToken(), StreamTokenizer.TT_WORD);
assertEquals(tok.sval, "_to_30000");
}
FWIW I could use a StringTokenizer instead, but it would require a lot of refactoring.
回答1:
IMO, the best solution is using a Scanner, but if you want to force the venerable StreamTokenizer to work for you, try the following:
import java.util.regex.*;
...
final String query = "foo_bah 20001_to_30000\n2.001 this is line number 2 blargh";
StreamTokenizer tok = new StreamTokenizer(new StringReader(query));
// recreate standard syntax table
tok.resetSyntax();
tok.whitespaceChars('\u0000', '\u0020');
tok.wordChars('a', 'z');
tok.wordChars('A', 'Z');
tok.wordChars('\u00A0', '\u00FF');
tok.commentChar('/');
tok.quoteChar('\'');
tok.quoteChar('"');
tok.eolIsSignificant(false);
tok.slashSlashComments(false);
tok.slashStarComments(false);
//tok.parseNumbers(); // this WOULD be part of the standard syntax
// syntax additions
tok.wordChars('0', '9');
tok.wordChars('.', '.');
tok.wordChars('_', '_');
// create regex to verify numeric conversion in order to avoid having
// to catch NumberFormatException errors from Double.parseDouble()
Pattern double_regex = Pattern.compile("[-+]?[0-9]*\\.?[0-9]+([eE][-+]?[0-9]+)?");
try {
int type = StreamTokenizer.TT_WORD;
while (type != StreamTokenizer.TT_EOF) {
type = tok.nextToken();
if (type == StreamTokenizer.TT_WORD) {
String str = tok.sval;
Matcher regex_match = double_regex.matcher(str);
if (regex_match.matches()) { // NUMBER
double val = Double.parseDouble(str);
System.out.println("double = " + val);
}
else { // WORD
System.out.println("string = " + str);
}
}
}
}
catch (IOException err) {
err.printStackTrace();
}
Essentially, you're offloading the tokenizing of numeric values from StreamTokenizer. The regex matching is to avoid relying on NumericFormatException to tell you that Double.parseDouble() doesn't work on the given token.
来源:https://stackoverflow.com/questions/4167872/streamtokenizer-splits-up-001-to-003-into-two-tokens-how-can-i-prevent-it-from