如何知道字符串在javascript中以特定字符开头/结尾?

How to know a string starts/ends with specific character in javascript?

本问题已经有最佳答案,请猛点这里访问。
1
2
3
4
5
6
7
8
9
 var file ="{employee}";
 var imgFile ="cancel.json";

  if(file starts with '{' and file ends with '}' ){
     alert("invalid");
  }
  if(imgFile ends with '.json'){
    alert("invalid");
  }
  • 如何使用javascript验证字符串的起始和结束字符?
  • 在"file"中,字符串不应以""开头,也不应以""结尾。
  • 在"imgfile"中,字符串不应以".json"结尾。
  • match()有效还是应该使用indexof()。


Does match() works or should i use indexOf()

两者都没有。两者都有效,但都搜索整个字符串。在相关位置提取子字符串并将其与预期的子字符串进行比较更为有效:

1
2
3
if (file.charAt(0) == '{' && file.charAt(file.length-1) == '}') alert('invalid');
// or:                       file.slice(-1) == '}'
if (imgFile.slice(-5) == '.json') alert('invalid');

当然,您也可以使用正则表达式,使用智能regex引擎,它也应该是高效的(而且您的代码更简洁):

1
2
if (/^\{[\S\s]*}$/.test(file)) alert('invalid');
if (/\.json$/.test(imgFile)) alert('invalid');


1
2
3
if (str.charAt(0) == 'a' && str.charAt(str.length-1) == 'b') {
    //The str starts with a and ends with b
}

未经测试,但应该有效


这个

1
 /^\{.*\}$/.test (str)

{开始,到}结束。


当涉及到字符串验证时,您有许多选项,您可以使用regex..不同的字符串方法也可以为您做这项工作…

但您可以尝试以下方法:

1
2
if(file.indexOf('{') == 0 && file.indexOf('}') == file.length - 1)
        alert('invalid');

对于第二部分,您很可能正在查找文件的扩展名,因此可以使用以下内容:

1
2
if(imgFile.split('.').pop() =="json")
    alert('invalid');

希望这有帮助…


1
file.indexOf("{") == 0 && file.lastIndexOf("}") == file.length-1


In"file" the string should not start with '{' and should not end with '}'

1
2
3
    if (file.charAt(0) == '{' || file.charAt(file.length - 1) == '}') {
        throw 'invalid file';
    }

In"imgFile" the string should not end with '.json'

1
2
3
    if (imgFile.lastIndexOf('.json') === imgFile.length - 5) {
        throw 'invalid imgFile';
    }


可以使用javascript startswith()和endswith()。

1
2
3
4
5
6
7
8
9
10
    function strStartsWith(str, prefix) {
    return str.indexOf(prefix) === 0;
}
function strEndsWith(str, suffix) {
return str.indexOf(suffix, str.length - suffix.length) !== -1;
}
or
function strEndsWith(str, suffix) {
var re=new RegExp("."+suffix+"$","i");
if(re.test(str)) alert("invalid file");

}

或者您也可以这样使用它:

1
2
3
4
5
6
7
8
String.prototype.startsWith = function (str){
return this.slice(0, str.length) == str;
};
 and

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