js str常用方法
!!! JavaScript中的字符串是不可变(immutable)的,这意味着每个操作都会返回一个新的字符串而不会修改原始字符串。(这些方法都返回新的字符串,而不会修改原始字符串。)
以下是一些常用的字符串方法:
length
:获取字符串的长度。
let str = "Hello";
console.log(str.length); // 输出 5
split
: 使用指定的分隔符将字符串分割成子串,并将结果作为字符串数组返回。
let str = "apple,banana,orange";
let arr = str.split(",");
console.log(arr); // 输出 ["apple", "banana", "orange"]
charAt(index)
:返回指定索引位置处的字符。
let str = "Hello";
console.log(str.charAt(0)); // 输出 "H"
console.log(str.charAt(4)); // 输出 "o"
concat(string1, string2, ...)
:将多个字符串连接起来,返回一个新的字符串。
let str1 = "Hello";
let str2 = "World";
let result = str1.concat(" ", str2);
console.log(result); // 输出 "Hello World"
toUpperCase()
和 toLowerCase()
:将字符串转换为全大写或全小写形式,分别返回新的转换后的字符串。
let uppercaseStr = 'hello'.toUpperCase();
console.log(uppercaseStr); // 输出 'HELLO'
let lowercaseStr ='WORLD'.toLowerCase();
console.log(lowercaseStr);//输出 'world'
indexOf(searchValue [, startIndex])
:在一个指定位置范围内搜索指定值,并返回第一次出现该值时所在位置的索引。如果未找到该值,则返回 -1。可选参数 startIndex
指定搜索起始位置,默认为 0。
let str = "Hello, world!";
console.log(str.indexOf("o")); // 输出 4
console.log(str.indexOf("o", 5)); // 输出 8
console.log(str.indexOf("z")); // 输出 -1,未找到 "z"
slice(startIndex[, endIndex])
:从原始字符串中提取出某个片段,并生成一个新字符串。可选参数 endIndex
指定提取结束位置(不包含该索引处字符),默认为原始字符串的末尾。
let str = "Hello, world!";
console.log(str.slice(7)); // 输出 "world!"
console.log(str.slice(0, 5)); // 输出 "Hello"
substring(startIndex[, endIndex])
:从原始字符串中提取出某个片段,并生成一个新字符串。与 slice()
方法类似,但不支持负数索引。
let str = "Hello, world!";
console.log(str.substring(7)); // 输出 "world!"
console.log(str.substring(0, 5)); //输出"hello"
replace(searchValue, replaceValue)
:将原始字符串中的指定值替换为新的值,并返回替换后的新字符创。
let str = "Hello, world!";
let newStr = str.replace("world", "JavaScript");
console.log(newStr); // 输出 "Hello, JavaScript!"
二:模版字符串使用
JavaScript 中的模板字符串是一种特殊的字符串语法,用于更方便地插入变量和表达式到字符串中。模板字符串使用反引号()包围,并使用
${}` 语法来插入变量或表达式。
以下是一些使用模板字符串的示例:
- 插入变量:
let name = "Alice";
let greeting = `Hello, ${name}!`;
console.log(greeting); // 输出: Hello, Alice!
在上面的示例中,我们定义了一个名为 name
的变量,并在模板字符串中使用 ${name}
将其插入到了 "Hello, "
和 "!"
之间。
- 插入表达式:
let num1 = 10;
let num2 = 5;
let result = `The sum of ${num1} and ${num2} is ${num1 + num2}.`;
console.log(result); // 输出: The sum of 10 and 5 is 15.
在这个示例中,我们定义了两个数字变量 num1
和 num2
,并通过 ${}
将它们和它们的和插入到了一个描述性句子中。
- 多行文本:
let message = `
This is a multi-line text.
It can contain line breaks and preserve indentation.
Variables can also be inserted: ${name}.
`;
console.log(message);
通过使用反引号包围文本内容,在其中可以自由地换行并保留缩进。同时,也可以在模板字符串中插入变量。