0

有没有办法从TextViewandroid中删除整数。例如,假设我们有这样的文本:

123Isuru456Ranasinghe

我希望这个文本在删除整数后是这样的

IsuruRanasinghe

我如何在android中实现这一点?

4

3 回答 3

3

这会帮助你。

  public static String removeDigits(String text) {
        int length = text.length();
        StringBuffer buffer = new StringBuffer(length);
        for(int i = 0; i < length; i++) {
            char ch = text.charAt(i);
            if (!Character.isDigit(ch)) {
                buffer.append(ch);
            }
        }
        return buffer.toString();
    }

另一个简单的选择:

// do it in just one line of code
String num = text.replaceAll(”[\\d]“, “”);

使用删除数字返回您的字符串。

于 2012-04-27T08:56:35.127 回答
3

这只是纯Java。与安卓无关。
这是执行您想要的操作的代码。

String str = "123Isuru456Ranasinghe";
String newStr = str.replaceAll("[0-9]", "");

经过一些测试,似乎最长的解决方案在性能方面是最好的!

public static void main(String[] arg) throws IOException {
    // Building a long string...
    StringBuilder str = new StringBuilder();
    for (int i = 0; i < 1000000; i++)
        str.append("123Isuru456Ranasinghe");

    removeNum1(str.toString());
    removeNum2(str.toString());
}

// With a replaceAll => 1743 ms
private static void removeNum1(String _str) {
    long start = System.currentTimeMillis();
    String finalString = _str.replaceAll("[0-9]", "");
    System.out.println(System.currentTimeMillis() - start);
}

// With StringBuilder and loop => 348 ms
private static void removeNum2(String _str) {
    long start = System.currentTimeMillis();

    StringBuilder finalString = new StringBuilder();
    char currentChar;
    for (int i = 0; i < _str.length(); ++i) {
        currentChar = _str.charAt(i);
        if (Character.isLetter(currentChar)) {
            finalString.append(currentChar);
        }
    }
    System.out.println(System.currentTimeMillis() - start);
}

使用循环要快得多。但在你的情况下,它有点没用:p

现在你必须在“慢”和短写之间做出选择,而且非常快但有点复杂。一切都取决于你需要什么。

于 2012-04-27T09:03:40.130 回答
1
StringBuilder ans = new StringBuilder();
char currentChar;
for (int i = 0; i < str.length(); ++i) {
    currentChar = str.charAt(i);
    if (Character.isLetter(currentChar)) {
        ans.append(currentChar);
    }
}
于 2012-04-27T09:01:09.750 回答