我知道我可以用like ^=来查看id是否以某个东西开头,我试着用它来做这个,但它不起作用。基本上,我正在检索一个URL,我想为一个元素设置一个类,为以某种方式开始的路径名。

例子:

var pathname = window.location.pathname;  //gives me /sub/1/train/yonks/459087

我想确保每一个以/sub/1开始的路径,我可以为一个元素设置一个类:

if (pathname ^= '/sub/1') {  //this didn't work... 
        ... 

当前回答

使用stringObject.substring

if (pathname.substring(0, 6) == "/sub/1") {
    // ...
}

其他回答

看看JavaScript的substring()方法。

使用stringObject.substring

if (pathname.substring(0, 6) == "/sub/1") {
    // ...
}

你也可以使用string.match()和一个正则表达式:

if(pathname.match(/^\/sub\/1/)) { // you need to escape the slashes

String.match()将返回一个匹配子字符串的数组,否则为空。

一个更可重用的函数:

beginsWith = function(needle, haystack){
    return (haystack.substr(0, needle.length) == needle);
}
String.prototype.startsWith = function(needle)
{
    return this.indexOf(needle) === 0;
};