在我的场景中,一个字符串被赋予我的函数,我应该只提取数字并去除其他所有内容。
示例输入&他们期望的数组输出:
13/0003337/99 // Should output an array of "13", "0003337", "99"
13-145097-102 // Should output an array of "13", "145097", "102"
11 9727 76 // Should output an array of "11", "9727", "76"
在Qt / C ++中我只是这样做:
QString id = "13hjdhfj0003337 90";
QRegularExpression regex("[^0-9]");
QStringList splt = id.split(regex, QString::SkipEmptyParts);
if(splt.size() != 3) {
// It is the expected input.
} else {
// The id may have been something like "13 145097 102 92"
}
所以使用java我尝试了类似的东西,但它没有按预期工作。
String id = "13 text145097 102"
String[] splt = id.split("[^0-9]");
ArrayList<String> idNumbers = new ArrayList<String>(Arrays.asList(splt));
Log.e(TAG, "ID numbers are: " + indexIDS.size()); // This logs more than 3 values, which isn't what I want.
那么,除了数字[0-9]之外,除了数字[0-9]之外,还有 最佳 方法来逃避所有空格和字符?
答案 0 :(得分:7)
使用[^0-9]+
作为正则表达式使正则表达式匹配任何正数的非数字。
id.split("[^0-9]+");
[13, 145097, 102]
由于不会删除第一个空的String
,如果String
以非数字开头,则需要手动删除该数字,例如使用:
Pattern.compile("[^0-9]+").splitAsStream(id).filter(s -> !s.isEmpty()).toArray(String[]::new);