你可以使用 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()` 方法將其轉換為整數返回。
請注意,上述代碼假設字符串中只包含一個數字,并且數字位于非數字字符之前或之后。如果字符串中包含多個數字或數字的位置規則不符合上述假設,你可能需要根據具體情況修改正則表達式或調整截取邏輯。