I want to validate if the string ends with space in JavaScript. Thanks in advance.
var endSpace = / \s$/;
var str = "hello world ";
if (endSpace.test(str)) {
window.console.error("ends with space");
return false;
}
You can use endsWith()
. It will be faster than regex
:
myStr.endsWith(' ')
The
endsWith()
method determines whether a string ends with the characters of another string, returningtrue
orfalse
as appropriate.
If endsWith
is not supported by browser, you can use the polyfill provided by MDN:
if (!String.prototype.endsWith) {
String.prototype.endsWith = function(searchString, position) {
var subjectString = this.toString();
if (typeof position !== 'number' || !isFinite(position) || Math.floor(position) !== position || position > subjectString.length) {
position = subjectString.length;
}
position -= searchString.length;
var lastIndex = subjectString.lastIndexOf(searchString, position);
return lastIndex !== -1 && lastIndex === position;
};
}