js如何组合两个字符串
时间: 2024-12-02 08:27:47 浏览: 6
在JavaScript中,有几种常见的方法可以组合(连接)两个字符串:
1. 使用 `+` 操作符:
```javascript
let str1 = 'Hello';
let str2 = 'World';
let combinedStr = str1 + ' ' + str2; // 'Hello World'
```
2. 使用 `concat()` 方法:
```javascript
const combinedStr = str1.concat(' ', str2); //同样结果为 'Hello World'
```
3. 使用模板字面量 (`template literals`):
```javascript
const combinedStr = `${str1} ${str2}`; // 'Hello World'
```
4. 对象的 `join()` 方法,如果涉及到数组元素:
```javascript
const arr = ['Hello', 'World'];
const combinedStr = arr.join(' '); // 'Hello World'
```
5. ES6引入的 `String.prototype.concat()` 方法的简写版本:
```javascript
const combinedStr = [str1, ' ', str2].join(''); // 'Hello World'
```
以上方法都会生成一个新的字符串,原字符串不会被改变。
阅读全文