对于字符串" \n a b c \n 1 2 3 \n x y z "
,我需要它成为"a b c 1 2 3 x y z"
。
使用此正则表达式str.replaceAll(“((s | \ n)”,“”);我可以得到“abc123xyz”,但我怎样才能得到空格。
答案 0 :(得分:8)
您不必使用正则表达式;您可以改为使用trim()
和replaceAll()
。
String str = " \n a b c \n 1 2 3 \n x y z ";
str = str.trim().replaceAll("\n ", "");
这将为您提供您正在寻找的字符串。
答案 1 :(得分:5)
这将删除所有空格和换行符
String oldName ="2547 789 453 ";
String newName = oldName.replaceAll("\\s", "");
答案 2 :(得分:2)
这将有效:
str = str.replaceAll("^ | $|\\n ", "")
答案 3 :(得分:0)
如果你真的想用Regex这样做,这可能会为你做到这一点
String str = " \n a b c \n 1 2 3 \n x y z ";
str = str.replaceAll("^\\s|\n\\s|\\s$", "");
答案 4 :(得分:0)
这是一个非常简单明了的例子,我将如何做到这一点
String string = " \n a b c \n 1 2 3 \n x y z "; //Input
string = string // You can mutate this string
.replaceAll("(\s|\n)", "") // This is from your code
.replaceAll(".(?=.)", "$0 "); // This last step will add a space
// between all letters in the
// string...
您可以使用此示例来验证最后一个正则表达式是否有效:
class Foo {
public static void main (String[] args) {
String str = "FooBar";
System.out.println(str.replaceAll(".(?=.)", "$0 "));
}
}
输出:“F o o B a r”
有关正则表达式中的外观的更多信息:http://www.regular-expressions.info/lookaround.html
这种方法使得它可以在任何字符串输入上工作,它只是在原始作品上添加了一个步骤,以便准确地回答您的问题。快乐编码:)