我如何替换所有的换行符从一个字符串在Java在这样的方式,将工作在Windows和Linux(即没有具体的操作系统的回车/换行/新行等问题)?

我尝试过(注意readFileAsString是一个将文本文件读入String的函数):

String text = readFileAsString("textfile.txt");
text.replace("\n", "");

但这似乎并不奏效。

如何做到这一点呢?


当前回答

可以使用泛型方法用任意字符替换任意字符。

public static void removeWithAnyChar(String str, char replceChar,
        char replaceWith) {
    char chrs[] = str.toCharArray();
    int i = 0;
    while (i < chrs.length) {

        if (chrs[i] == replceChar) {
            chrs[i] = replaceWith;
        }
        i++;
    }

}

其他回答

String text = readFileAsString("textfile.txt").replace("\n","");

.replace返回一个新字符串,Java中的字符串是不可变的。

org . apache commons。朗StringUtils # chopNewline。

str = str.replaceAll("\\r\\n|\\r|\\n", " ");

在搜索了很多之后,完美地为我工作,在其他每一行都失败了。

试着这样做:

 textValue= textValue.replaceAll("\n", "");
 textValue= textValue.replaceAll("\t", "");
 textValue= textValue.replaceAll("\\n", "");
 textValue= textValue.replaceAll("\\t", "");
 textValue= textValue.replaceAll("\r", "");
 textValue= textValue.replaceAll("\\r", "");
 textValue= textValue.replaceAll("\r\n", "");
 textValue= textValue.replaceAll("\\r\\n", "");

正如在其他回答中提到的,您的代码无法工作,主要是因为String.replace(…)没有更改目标String。(不能——Java字符串是不可变的!)replace实际上所做的是创建并返回一个新的String对象,其中字符根据需要进行了更改。但是你的代码会丢弃这个字符串…


这里有一些可能的解决方案。哪一个是最正确的取决于你到底想要做什么。

// #1
text = text.replace("\n", "");

简单地删除所有换行符。这并不适用于Windows或Mac行终止。

// #2
text = text.replace(System.getProperty("line.separator"), "");

移除当前平台的所有行终止符。这并不适用于试图在Windows上处理(例如)UNIX文件的情况,反之亦然。

// #3
text = text.replaceAll("\\r|\\n", "");

删除所有Windows、UNIX或Mac行结束符。然而,如果输入文件是文本,这将连接单词;如。

Goodbye cruel
world.

就变成了

Goodbye cruelworld.

你可能会想这样做:

// #4
text = text.replaceAll("\\r\\n|\\r|\\n", " ");

它将每个行结束符替换为space1。从Java 8开始,你也可以这样做:

// #5
text = text.replaceAll("\\R", " ");

如果你想用一个空格替换多个行结束符:

// #6
text = text.replaceAll("\\R+", " ");

1 -注意,第3条和第4条之间有细微的区别。序列\r\n表示单个(Windows)行结束符,因此我们需要注意不要将其替换为两个空格。