你可以使用 JavaScript 的 String.prototype.substring()
或 String.prototype.slice()
来截取地址中的某一部分。
例如,假设你想要截取从第 6 个字符开始的后面的所有字符,你可以这样写:
const url = 'https://www.example.com/path/to/page';
const page = url.substring(6);
console.log(page); // '/path/to/page'
如果你想要截取从第 6 个字符开始的 3 个字符,你可以这样写:
const url = 'https://www.example.com/path/to/page';
const page = url.substring(6, 9);
console.log(page); // 'pat'
使用 slice()
的方式也很相似,只需要将上面的 substring()
替换成 slice()
即可。
const url = 'https://www.example.com/path/to/page';
const page = url.slice(6);
console.log(page); // '/path/to/page'
const url = 'https://www.example.com/path/to/page';
const page = url.slice(6, 9);
console.log(page); // 'pat'
你还可以使用 split()
函数将地址按照某个字符分割成数组,然后取数组的某一项。
const url = 'https://www.example.com/path/to/page';
const parts = url.split('/');
console.log(parts[3]); // 'page'
希望这些信息对你有帮助。