你可以使用 JavaScript 的字符串方法來截取字符串的第一位和最后一位數(shù)字。下面是一種可能的實現(xiàn)方法:
javascript
// 截取字符串的第一位數(shù)字
function getFirstDigit(str) {
const match = str.match(/\d/);
if (match) {
return parseInt(match[0]);
}
return null;
}
// 截取字符串的最后一位數(shù)字
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()` 函數(shù)使用正則表達式 `\d` 來匹配字符串中的第一個數(shù)字,并通過 `parseInt()` 方法將其轉(zhuǎn)換為整數(shù)返回。`getLastDigit()` 函數(shù)使用正則表達式 `\d(?=\D*$)` 來匹配字符串中的最后一個數(shù)字,并同樣通過 `parseInt()` 方法將其轉(zhuǎn)換為整數(shù)返回。
請注意,上述代碼假設(shè)字符串中只包含一個數(shù)字,并且數(shù)字位于非數(shù)字字符之前或之后。如果字符串中包含多個數(shù)字或數(shù)字的位置規(guī)則不符合上述假設(shè),你可能需要根據(jù)具體情況修改正則表達式或調(diào)整截取邏輯。