1

我希望我的字符串的前两个字符不应该是特殊字符

function detectInvalidChars(limitField)
{
    var len=limitField.value.length;
    var char1=limitField.value.substring(0,1);
    var char2=limitField.value.substring(1,2);

    if(char1=='&'||char1=='<' char1=='!' || char2=='&'||char2=='<'..........so on)
    {
    alert("Invalid character");
    limitField.value = limitField.value.substring(0,len-1);
    }
}

char1而不是将andchar2与每个特殊字符匹配。我能做些什么?

4

4 回答 4

1

您可以使用正则表达式:

var re = /^([&<!]|.[&<!])/;
if (re.test(limitField.value)) {
    alert...
}
于 2013-01-29T08:13:45.063 回答
0

If you don't want to use regex and want to define your own set of special characters, you could use a function like this:

function detectInvalidChars(s, count) {
    var specialChars = "!@#$%^&*()+=-[]\\\';,./{}|\":<>?~_";
    var firstChars = s.substr(0, count).split('');
    for(var i=0; i<firstChars.length; i++) {
        if(specialChars.indexOf(firstChars[i]) !== -1) {
            // invalid char detected
        }
    }
}

Where s is your string and count is the number of the first characters that should be investigated.

于 2013-01-29T08:23:18.287 回答
0

查看字符串方法 .charCodeAt(n)

然后,您应该能够比较范围内的 ascii 值。

因此,例如,如果您想排除控制字符,您可以编写类似

if (mystring.charCodeAt(0)<32 || mystring.charCodeAt(1)<32) {
    alert("Invalid character");
}

或使用正则表达式。

您可能会发现这个问题很有帮助: isalpha replacement for JavaScript?

于 2013-01-29T08:12:10.657 回答
0

您可以在原始的子字符串上使用正则表达式。

substring 获取字符串中从“from”到“to”的部分。

/^[0-9a-z]+$/ 是只允许 0 ... 9 和 a ... z 的正则表达式

function is_part_alnum(value, from, to) 
    substring = value.substring(from, to);
    if(!substring.match(/^[0-9a-z]+$/) {
        alert("Invalid character(s)");
    }
}
于 2013-01-29T08:14:39.053 回答