js数组和字符串的方法对比
时间: 2023-07-08 21:51:23 浏览: 93
JavaScript中,数组和字符串都是常见的数据类型,它们都有一些方法来操作它们。下面是它们常用方法的对比:
1. 长度
数组:使用 `length` 属性返回数组中元素的数量。
```
let arr = [1, 2, 3, 4, 5];
console.log(arr.length); // 5
```
字符串:使用 `length` 属性返回字符串的长度。
```
let str = "Hello";
console.log(str.length); // 5
```
2. 截取
数组:使用 `slice()` 方法截取数组的一部分,并返回一个新的数组。
```
let arr = [1, 2, 3, 4, 5];
let newArr = arr.slice(1, 3);
console.log(newArr); // [2, 3]
```
字符串:使用 `substring()` 或 `substr()` 方法截取字符串的一部分,并返回一个新的字符串。
```
let str = "Hello, World!";
let newStr = str.substring(0, 5);
console.log(newStr); // "Hello"
let newStr2 = str.substr(0, 5);
console.log(newStr2); // "Hello"
```
3. 拼接
数组:使用 `concat()` 方法将多个数组合并成一个,并返回一个新的数组。
```
let arr1 = [1, 2];
let arr2 = [3, 4];
let newArr = arr1.concat(arr2);
console.log(newArr); // [1, 2, 3, 4]
```
字符串:使用 `concat()` 方法将多个字符串合并成一个,并返回一个新的字符串。
```
let str1 = "Hello, ";
let str2 = "World!";
let newStr = str1.concat(str2);
console.log(newStr); // "Hello, World!"
```
4. 查找
数组:使用 `indexOf()` 或 `lastIndexOf()` 方法查找数组中指定元素的位置。
```
let arr = [1, 2, 3, 2, 1];
console.log(arr.indexOf(2)); // 1
console.log(arr.lastIndexOf(2)); // 3
```
字符串:使用 `indexOf()` 或 `lastIndexOf()` 方法查找字符串中指定子串的位置。
```
let str = "Hello, World!";
console.log(str.indexOf("o")); // 4
console.log(str.lastIndexOf("o")); // 8
```
5. 替换
数组:使用 `splice()` 方法替换数组中的元素。
```
let arr = [1, 2, 3, 4, 5];
arr.splice(2, 1, "a", "b");
console.log(arr); // [1, 2, "a", "b", 4, 5]
```
字符串:使用 `replace()` 方法替换字符串中的子串。
```
let str = "Hello, World!";
let newStr = str.replace("World", "JavaScript");
console.log(newStr); // "Hello, JavaScript!"
```
总的来说,数组和字符串都有一些相似的方法,但是也有一些不同的方法。需要根据具体的场景选择使用哪种方法。
阅读全文