2
 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验证字符串的开始和结束字符?
  • 在“文件”中,字符串不应以 '{' 开头,也不应以 '}' 结尾
  • 在“imgFile”中,字符串不应以“.json”结尾
  • match() 是否有效或者我应该使用 indexOf()
4

7 回答 7

7

match() 是否有效或者我应该使用 indexOf()

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

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

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

if (/^\{[\S\s]*}$/.test(file)) alert('invalid');
if (/\.json$/.test(imgFile)) alert('invalid');
于 2013-05-23T08:50:22.750 回答
4
if (str.charAt(0) == 'a' && str.charAt(str.length-1) == 'b') {
    //The str starts with a and ends with b
}

未经测试,但它应该工作

于 2013-05-23T08:29:15.110 回答
1

这个

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

将返回 true 的str开头{和结尾}

于 2013-05-23T08:46:41.710 回答
0

你可以使用javascript的startswith()和endswith()

    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");

}

或者你也可以像这样使用它:

String.prototype.startsWith = function (str){
return this.slice(0, str.length) == str;
};
 and

String.prototype.endsWith = function (str){
return this.slice(-str.length) == str;
};
于 2013-05-23T08:31:28.990 回答
0

在“文件”中,字符串不应以 '{' 开头,也不应以 '}' 结尾

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

在“imgFile”中,字符串不应以“.json”结尾

    if (imgFile.lastIndexOf('.json') === imgFile.length - 5) {
        throw 'invalid imgFile';
    }
于 2013-05-23T08:36:18.697 回答
0
file.indexOf("{") == 0 && file.lastIndexOf("}") == file.length-1
于 2013-05-23T08:36:25.887 回答
0

在字符串验证方面,您有很多选择,您可以使用正则表达式..不同的字符串方法也可以为您完成这项工作......

但是您的问题可以尝试以下方法:

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

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

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

希望这可以帮助....

于 2013-05-23T08:38:21.543 回答