replace '\'n in javascript

As stated by the others the global flag is missing for your regular expression. The correct expression should be some thing like what the others gave you.

var r = "I\nam\nhere";
var s = r.replace(/\n/g,' ');

I would like to point out the difference from what was going on from the start. you were using the following statements

var r = "I\nam\nhere";
var s = r.replace("\n"," ");

The statements are indeed correct and will replace one instance of the character \n. It uses a different algorithm. When giving a String to replace it will look for the first occurrence and simply replace it with the string given as second argument. When using regular expressions we are not just looking for the character to match we can write complicated matching syntax and if a match or several are found then it will be replaced. More on regular expressions for JavaScript can be found here w3schools.

For instance the method you made could be made more general to parse input from several different types of files. Due to differences in Operating system it is quite common to have files with \n or \r where a new line is required. To be able to handle both your code could be rewritten using some features of regular expressions.

var r = "I\ram\nhere";
var s = r.replace(/[\n\r]/g,' ');

The problem is that you need to use the g flag to replace all matches, as, by default, replace() only acts on the first match it finds:

var r = "I\nam\nhere",
    s = r.replace(/\n/g,' ');

To use the g flag, though, you'll have to use the regular expression approach.

Incidentally, when declaring variables please use var, otherwise the variables you create are all global, which can lead to problems later on.


use s = r.replace(/\\n/g," ");

Get a reference:

The "g" in the javascript replace code stands for "greedy" which means the replacement should happen more than once if possible