你可以使用 JavaScript 的字符串方法来截取字符串的第一位和最后一位数字。下面是一种可能的实现方法:
javascript
// 截取字符串的第一位数字
function getFirstDigit(str) {
const match = str.match(/\d/);
if (match) {
return parseInt(match[0]);
}
return null;
}
// 截取字符串的最后一位数字
function getLastDigit(str) {
const match = str.match(/\d(?=\D*$)/);
if (match) {
return parseInt(match[0]);
}
return null;
}
// 示例用法
const str = "Abc123xyz";
const firstDigit = getFirstDigit(str);
const lastDigit = getLastDigit(str);
console.log(firstDigit); // 输出:1
console.log(lastDigit); // 输出:3
上述代码中,`getFirstDigit()` 函数使用正则表达式 `\d` 来匹配字符串中的第一个数字,并通过 `parseInt()` 方法将其转换为整数返回。`getLastDigit()` 函数使用正则表达式 `\d(?=\D*$)` 来匹配字符串中的最后一个数字,并同样通过 `parseInt()` 方法将其转换为整数返回。
请注意,上述代码假设字符串中只包含一个数字,并且数字位于非数字字符之前或之后。如果字符串中包含多个数字或数字的位置规则不符合上述假设,你可能需要根据具体情况修改正则表达式或调整截取逻辑。