JavaScript中的endsWith


1103

如何在JavaScript中检查字符串是否以特定字符结尾?

示例:我有一个字符串

var str = "mystring#";

我想知道该字符串是否以结尾#。我该如何检查?

  1. endsWith()JavaScript中有方法吗?

  2. 我有一个解决方案是获取字符串的长度并获取最后一个字符并进行检查。

这是最好的方法还是还有其他方法?



Answers:


1764

更新(2015年11月24日):

该答案最初发布于2010年(六年前),因此请注意以下有见地的评论:


原始答案:

我知道这是一个老问题了...但是我也需要这个,并且我需要它来跨浏览器工作,所以... 结合每个人的答案和评论并稍微简化一下:

String.prototype.endsWith = function(suffix) {
    return this.indexOf(suffix, this.length - suffix.length) !== -1;
};
  • 不创建子字符串
  • 使用本机indexOf功能以获得最快的结果
  • 使用第二个参数跳过不必要的比较indexOf以向前跳过
  • 在Internet Explorer中工作
  • 没有正则表达式并发症

另外,如果您不喜欢在本机数据结构的原型中填充东西,这是一个独立版本:

function endsWith(str, suffix) {
    return str.indexOf(suffix, str.length - suffix.length) !== -1;
}

编辑:正如@hamish在评论中指出的那样,如果您想在安全方面犯错误,并检查是否已经提供了实现,则可以typeof像这样添加检查:

if (typeof String.prototype.endsWith !== 'function') {
    String.prototype.endsWith = function(suffix) {
        return this.indexOf(suffix, this.length - suffix.length) !== -1;
    };
}

42
Google员工的更新-看起来ECMA6添加了此功能。MDN文章还显示了polyfill。developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/...
绍纳

2
@ lukas.pukenis会跳到末尾,仅在末尾检查一个后缀实例。搜索字符串是否出现在其他位置都没有关系。
chakrit

3
添加对未定义参数“后缀”时​​的情况的检查”:if(typeof String.prototype.endsWith!=='function'){String.prototype.endsWith = function(suffix){返回this.indexOf(后缀,this.length-(((suffix && suffix.length)|| 0))!== -1;};}
Mandeep

2
您提到的正则表达式并发症是什么?
IcedD​​ante

5
在现代浏览器中创建子字符串并不昂贵。这个答案很可能是在2010年发布的。如今,简单的this.substr(-suffix.length) === suffix方法在Chrome上最快,在IE11上与相同,indexOf在Firefox上仅慢4%(fergetaboutit领域):jsperf.com/endswith-stackoverflow/14当结果为假时,整个方法都更快:jsperf .com / endswith-stackoverflow-when-false当然,添加ES6可以解决endsWith这一问题。:-)
TJ Crowder 2015年

295
/#$/.test(str)

可以在所有浏览器上运行,不需要猴子补丁String,也不需要像lastIndexOf没有匹配项时那样扫描整个字符串。

如果要匹配可能包含正则表达式特殊字符(例如)的常量字符串'$',则可以使用以下命令:

function makeSuffixRegExp(suffix, caseInsensitive) {
  return new RegExp(
      String(suffix).replace(/[$%()*+.?\[\\\]{|}]/g, "\\$&") + "$",
      caseInsensitive ? "i" : "");
}

然后你可以像这样使用它

makeSuffixRegExp("a[complicated]*suffix*").test(str)

10
如果要检查常量子字符串,这很好且简单。
沃伦·布兰切特

1
lastIndexOf扫描所有字符串?我以为它会从头到尾搜索。
汤姆·布里托

3
@TomBrito,lastIndexOf仅在找不到匹配项或在开头找到匹配项时才扫描整个字符串。如果末尾有一个匹配项,则它的工作与后缀的长度成正比。是的,以结束/asdf$/.test(str)时产生true 。str"asdf"
Mike Samuel

3
@Tom Brito,这是一个正则表达式文字。该语法是从Perl借来的。请参阅developer.mozilla.org/en/Core_JavaScript_1.5_Guide/…或有关不必要的详细信息,请参阅EcmaScript语言规范的7.8.5节。
Mike Samuel

2
+1为跨浏览器兼容性。在Chrome 28.0.1500.72 m,Firefox 22.0和IE9上进行了测试。
Adrien Be

91
  1. 不幸的是没有。
  2. if( "mystring#".substr(-1) === "#" ) {}

14
@Anthony,嗯...所以使用.Length-1,这是什么问题?if(mystring.substr(mystring.length-1)===“#”){}在IE中工作正常。
BrainSlugs83 2011年

12
@ BrainSlugs83-正是问题所在:“。length-1”语法在IE中有效,而“ -1”语法则不行。这是要记住的事情,所以给安东尼+1作为小费。
avramov

2
你不能用slice()吗?在我的快速IE7测试中,它对我有用。
alex 2012年

受惊的IE。什么时候会死?
ahnbizcad

67

拜托,这是正确的endsWith实现:

String.prototype.endsWith = function (s) {
  return this.length >= s.length && this.substr(this.length - s.length) == s;
}

lastIndexOf如果不匹配,使用只会创建不必要的CPU循环。


2
同意 我真的觉得这是提供的性能最高的解决方案,因为它具有早期中止/健全性检查,简短明了,优雅(重载字符串原型)和子字符串似乎比分解正则表达式引擎少了很多资源。
BrainSlugs83 2011年

也喜欢这种解决方案。只是函数名称拼写错误。应该是“ endsWith”。
xmedeko 2011年

3
@ BrainSlugs83已经有几年了,但是现在这个方法并不比上面提到的chakrit的'indexOf'方法快,而在Safari中,它要慢30%!这是针对大约50个字符的字符串的失败案例的jsPerf测试:jsperf.com/endswithcomparison
Brent Faust

4
大概应该使用===
Timmmm 2014年

56

此版本避免创建子字符串,并且不使用正则表达式(此处提供一些正则表达式答案;而其他则不适用):

String.prototype.endsWith = function(str)
{
    var lastIndex = this.lastIndexOf(str);
    return (lastIndex !== -1) && (lastIndex + str.length === this.length);
}

如果性能对您很重要,那么值得测试一下是否lastIndexOf实际上比创建子字符串快。(这可能取决于您使用的JS引擎...)在匹配的情况下,它可能会更快,并且当字符串很小时-但是当字符串很大时,甚至需要回顾整个过程虽然我们并不在乎:(

对于检查单个字符,找到长度然后使用charAt可能是最好的方法。


2
如果this.lastIndexOf()返回-1,则可能遇到这种情况,它依赖this.length和str.length返回true。添加一个测试lastIndexOf()!= -1。
ebruchez

1
为什么正则表达式方法坏了?
izb 2010年

2
@izb:早于我的尝试str+"$"用作正则表达式的答案就被破坏了,因为它们可能不是有效的正则表达式。
乔恩·斯基特


17
return this.lastIndexOf(str) + str.length == this.length;

在原始字符串长度比搜索字符串长度小一且找不到搜索字符串的情况下不起作用:

lastIndexOf返回-1,然后添加搜索字符串的长度,然后剩下原始字符串的长度。

可能的解决方法是

return this.length >= str.length && this.lastIndexOf(str) + str.length == this.length

30
您已获得“在Jon Skeet答案中发现错误”徽章。有关详情,请参阅您的个人资料。
bobince

17

来自developer.mozilla.org String.prototype.endsWith()

摘要

endsWith()方法确定一个字符串是否以另一个字符串的字符结尾,并根据需要返回true或false。

句法

str.endsWith(searchString [, position]);

参量

  • searchString:在此字符串末尾要搜索的字符。

  • position:在此字符串中搜索,就好像该字符串只有这么长;默认为该字符串的实际长度,限制在该字符串的长度所建立的范围内。

描述

此方法使您可以确定一个字符串是否以另一个字符串结尾。

例子

var str = "To be, or not to be, that is the question.";

alert( str.endsWith("question.") );  // true
alert( str.endsWith("to be") );      // false
alert( str.endsWith("to be", 19) );  // true

技术指标

ECMAScript语言规范第六版(ECMA-262)

浏览器兼容性

浏览器兼容性


10
if( ("mystring#").substr(-1,1) == '#' )

- 要么 -

if( ("mystring#").match(/#$/) )

8
String.prototype.endsWith = function(str) 
{return (this.match(str+"$")==str)}

String.prototype.startsWith = function(str) 
{return (this.match("^"+str)==str)}

我希望这有帮助

var myStr =   Earth is a beautiful planet  ”;
var myStr2 = myStr.trim();  
//==“Earth is a beautiful planet”;

if (myStr2.startsWith(“Earth”)) // returns TRUE

if (myStr2.endsWith(“planet”)) // returns TRUE

if (myStr.startsWith(“Earth”)) 
// returns FALSE due to the leading spaces…

if (myStr.endsWith(“planet”)) 
// returns FALSE due to trailing spaces…

传统方式

function strStartsWith(str, prefix) {
    return str.indexOf(prefix) === 0;
}

function strEndsWith(str, suffix) {
    return str.match(suffix+"$")==suffix;
}

您必须为正则表达式转义序列转义字符串
Juan Mendes

1
即使使用快速语言,正则表达式也很慢。只需检查字符串的结尾即可。
Daniel Nuriyev 2014年

8

我不认识你,但是:

var s = "mystring#";
s.length >= 1 && s[s.length - 1] == '#'; // will do the thing!

为什么使用正则表达式?为什么要弄乱原型?substr?来...


'因为有时在WET会更好一些
Martin Capodici 2015年

8

另一个使用正则表达式的快速替代方法对我来说很有吸引力:

// Would be equivalent to:
// "Hello World!".endsWith("World!")
"Hello World!".match("World!$") != null


6

我刚刚了解了这个字符串库:

http://stringjs.com/

包含js文件,然后使用如下S变量:

S('hi there').endsWith('hi there')

也可以通过安装它在NodeJS中使用它:

npm install string

然后要求它作为S变量:

var S = require('string');

如果您不喜欢该网页,则该网页还具有指向其他字符串库的链接。


4
function strEndsWith(str,suffix) {
  var reguex= new RegExp(suffix+'$');

  if (str.match(reguex)!=null)
      return true;

  return false;
}

1
最好解释一下为什么代码可以解决问题。请参阅指南“ 如何回答”
brasofilo 2014年

应该扫描后缀参数以查找必须转义的正则表达式。使用indexOf或lastIndexOf似乎是一个更好的选择。
vlad_tepesch 2014年

如果后缀包含以下任何字符,则将不起作用:。* +?^ =!:$ {}()[] / \
gtournie



2
function check(str)
{
    var lastIndex = str.lastIndexOf('/');
    return (lastIndex != -1) && (lastIndex  == (str.length - 1));
}

2

未来检验和/或防止覆盖现有原型的一种方法是测试检查以查看是否已将其添加到String原型中。这是我对非正则表达式高度评价的版本的看法。

if (typeof String.endsWith !== 'function') {
    String.prototype.endsWith = function (suffix) {
        return this.indexOf(suffix, this.length - suffix.length) !== -1;
    };
}

使用if (!String.prototype.hasOwnProperty("endsWith"))是最好的方法。typeof根据“ Crockford on JavaScript-Level 7:ECMAScript 5:The New Parts”,在15:50分钟,使用,“ MooTools和其他一些AJAX库将使您陷入困境”。
XP1 2012年

2

@chakrit可接受的答案是您自己执行此操作的可靠方法。但是,如果您正在寻找打包的解决方案,我建议您看一下underscore.string,就像@mlunoe指出的那样。使用underscore.string,代码将是:

function endsWithHash(str) {
  return _.str.endsWith(str, '#');
}

1

如果您不想使用lasIndexOf或substr,那为什么不只看自然状态下的字符串(即数组)

String.prototype.endsWith = function(suffix) {
    if (this[this.length - 1] == suffix) return true;
    return false;
}

或作为独立功能

function strEndsWith(str,suffix) {
    if (str[str.length - 1] == suffix) return true;
    return false;
}

1
String.prototype.endWith = function (a) {
    var isExp = a.constructor.name === "RegExp",
    val = this;
    if (isExp === false) {
        a = escape(a);
        val = escape(val);
    } else
        a = a.toString().replace(/(^\/)|(\/$)/g, "");
    return eval("/" + a + "$/.test(val)");
}

// example
var str = "Hello";
alert(str.endWith("lo"));
alert(str.endWith(/l(o|a)/));

1

经过漫长的回答,我发现这段代码简单易懂!

function end(str, target) {
  return str.substr(-target.length) == target;
}

1

这是endsWith的实现: String.prototype.endsWith = function (str) { return this.length >= str.length && this.substr(this.length - str.length) == str; }


1

这是执行endsWith

String.prototype.endsWith = function (str) {
  return (this.length >= str.length) && (this.substr(this.length - str.length) === str);
}

0

这是基于@charkit可接受的答案的,它允许将字符串数组或字符串作为参数传入。

if (typeof String.prototype.endsWith === 'undefined') {
    String.prototype.endsWith = function(suffix) {
        if (typeof suffix === 'String') {
            return this.indexOf(suffix, this.length - suffix.length) !== -1;
        }else if(suffix instanceof Array){
            return _.find(suffix, function(value){
                console.log(value, (this.indexOf(value, this.length - value.length) !== -1));
                return this.indexOf(value, this.length - value.length) !== -1;
            }, this);
        }
    };
}

这需要underscorejs-但可能可以进行调整以删除下划线依赖项。


1
这是一个不好的解决方案,如果您已经在使用下划线,则应该将此epeli.github.io/underscore.string添加到您的依赖项中,并使用它们的实现:_.str.endsWith
mlunoe 2014年

0
if(typeof String.prototype.endsWith !== "function") {
    /**
     * String.prototype.endsWith
     * Check if given string locate at the end of current string
     * @param {string} substring substring to locate in the current string.
     * @param {number=} position end the endsWith check at that position
     * @return {boolean}
     *
     * @edition ECMA-262 6th Edition, 15.5.4.23
     */
    String.prototype.endsWith = function(substring, position) {
        substring = String(substring);

        var subLen = substring.length | 0;

        if( !subLen )return true;//Empty string

        var strLen = this.length;

        if( position === void 0 )position = strLen;
        else position = position | 0;

        if( position < 1 )return false;

        var fromIndex = (strLen < position ? strLen : position) - subLen;

        return (fromIndex >= 0 || subLen === -fromIndex)
            && (
                position === 0
                // if position not at the and of the string, we can optimise search substring
                //  by checking first symbol of substring exists in search position in current string
                || this.charCodeAt(fromIndex) === substring.charCodeAt(0)//fast false
            )
            && this.indexOf(substring, fromIndex) === fromIndex
        ;
    };
}

优点:



0

所有这些都是非常有用的示例。新增中String.prototype.endsWith = function(str)将帮助我们简单地调用该方法来检查我们的字符串是否以该字符串结尾,那么正则表达式也可以做到这一点。

我找到了比我更好的解决方案。谢谢大家。


0

对于咖啡脚本

String::endsWith = (suffix) ->
  -1 != @indexOf suffix, @length - suffix.length
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.