2ª Atualização: Na tentativa de fornecer uma resposta abrangente, estou comparando os três métodos propostos nas várias respostas.
var testURL = '/Products/List?SortDirection=dsc&Sort=price&Page=3&Page2=3';
var i;
// Testing the substring method
i = 0;
console.time('10k substring');
while (i < 10000) {
testURL.substring(0, testURL.indexOf('?'));
i++;
}
console.timeEnd('10k substring');
// Testing the split method
i = 0;
console.time('10k split');
while (i < 10000) {
testURL.split('?')[0];
i++;
}
console.timeEnd('10k split');
// Testing the RegEx method
i = 0;
var re = new RegExp("[^?]+");
console.time('10k regex');
while (i < 10000) {
testURL.match(re)[0];
i++;
}
console.timeEnd('10k regex');
Resultados no Firefox 3.5.8 no Mac OS X 10.6.2:
10k substring: 16ms
10k split: 25ms
10k regex: 44ms
Resultados no Chrome 5.0.307.11 no Mac OS X 10.6.2:
10k substring: 14ms
10k split: 20ms
10k regex: 15ms
Observe que o método de substring é inferior em funcionalidade, pois retorna uma string em branco se o URL não contiver uma string de consulta. Os outros dois métodos retornariam o URL completo, conforme o esperado. No entanto, é interessante notar que o método de substring é o mais rápido, especialmente no Firefox.
1ª ATUALIZAÇÃO: Na verdade, o método split () sugerido por Robusto é uma solução melhor que a sugerida anteriormente, pois funcionará mesmo quando não houver string de consulta:
var testURL = '/Products/List?SortDirection=dsc&Sort=price&Page=3&Page2=3';
testURL.split('?')[0]; // Returns: "/Products/List"
var testURL2 = '/Products/List';
testURL2.split('?')[0]; // Returns: "/Products/List"
Resposta original:
var testURL = '/Products/List?SortDirection=dsc&Sort=price&Page=3&Page2=3';
testURL.substring(0, testURL.indexOf('?')); // Returns: "/Products/List"