I want to match trailing spaces at the end of lines, but not if the line is entirely made of whitespace.
These whitespaces should then be replaced.
The following expression uses negative lookahead to match these whitespace lines, but does not seem to work.
/(?!^( | )+$)( | )+$/gm
Here is a sample input
#The following line's trailing spaces should match
Foo
#But not a line full of whitespace
And here a snippet
var oRegExp = /(?!^( | )+$)( | )+$/;
// Test cases
var test = function (sInput, sOutput) {
var oMatch = sInput.match(oRegExp);
var bSuccess = (oMatch === null && sOutput === null) || oMatch[0] === sOutput;
console.log('"' + sInput + '" ', bSuccess ? 'success' : 'failed');
};
test('Foo ', ' ');
test(' ', null);
test('', null);
Use regex as
/\S\s+$/
which matches any non-whitespace character followed by whitespace at the end. Or more specific regex/[^ ][ ]+$/
which doesn't include newline char, tab space, etc.Few more suggestions:
RegExp
is completely unnecessary here.RegExp#test
method for getting a boolean value when the string is matched.UPDATE : Use regex
/^(?!(?: | )+$).*?( | )+$/
which used negative look-ahead assertion to match any other combination.