如何在 javascript 中使用正则表达式提取数组中代数表达式的系数和变量?

How do I extract the coefficients and variables of an algebraic expression in an array using regex in javascript?

我想将代数部分存储在一个数组中。目前,我有这个,但它没有完全工作。

function exp(term) {
    var container = [];
    if (term[0] === '-') {
        container[0] = '-1';
        container[1] = term.match(/([0-9]+)/g)[0];
        container[2] = term.match(/([a-zA-Z]+)/g)[0];
    } 
    else {
        container[0] = '0';
        container[1] = term.match(/([0-9]+)/g)[0];
        container[2] = term.match(/([a-zA-Z]+)/g)[0];
    }
    return container;
}

console.log(exp('-24mn'));    //should output ['-1', '24', 'mn']
console.log(exp('-100BC'));   //should output ['-1', '100', 'BC']
console.log(exp('100BC'));    //should output ['0', '100', 'BC']
console.log(exp('100'));      //should output ['0', '100', '']
console.log(exp('BC'));       //should output ['0', '0', 'BC']
console.log(exp('-bC'));      //should output ['-1', '0', 'bC']
console.log(exp('-100'));     //should output ['-1', '100', '']

但如果可能的话,我真正想要的只是一个长度为 2 的数组,其中包含系数和变量,例如:

console.log(exp('-24mn'));    //should output ['-24', 'mn']
console.log(exp('-100BC'));   //should output ['-100', 'BC']
console.log(exp('100BC'));    //should output ['100', 'BC']
console.log(exp('100'));      //should output ['100', '']
console.log(exp('BC'));       //should output ['0', 'BC']
console.log(exp('-bC'));      //should output ['-1', 'bC']
console.log(exp('-100'));     //should output ['-100', '']

我只使用了长度为 3 的数组方法,因为我不知道如何处理只有一个负号后跟像 '-bC' 这样的变量以及像 'BC' 这样的变量的情况.任何帮助将不胜感激。提前致谢!

您可以使用 groups 来捕获这两个部分并添加一些额外的逻辑来处理输入中不存在数字的情况:

function exp(term) {
    const matches = term.match(/(-?[0-9]*)([a-zA-Z]*)/);
    return [convertNumMatch(matches[1]), matches[2]];
}

function convertNumMatch(numMatch) {
    if (!numMatch)
        return '0';
    else if (numMatch === '-')
        return '-1';
    else
        return numMatch;
}

您尝试的模式包含所有可选部分,这些部分也可以匹配空字符串。

您可以交替使用 4 个捕获组。然后 return 包含第 1 组和第 2 组的数组,或包含第 3 组和第 4 组的数组。

0-1的值可以通过检查第3组(在代码中表示为m[3])是否存在来确定。

^(-?\d+)([a-z]*)|(-)?([a-z]+)$
  • ^ 字符串开头
  • (-?\d+) 捕获 组 1 匹配可选 - 和 1+ 位
  • ([a-z]*) 捕获 组 2 捕获可选字符 a-zA-Z
  • |
  • (-)?可选捕获第3组匹配-
  • ([a-z]+) 捕获 组 4 匹配 1+ 个字符 a-zA-Z
  • $ 字符串结束

Regex demo

使用 /i 标志使用不区分大小写的匹配示例:

const regex = /^(-?\d+)([a-z]*)|(-)?([a-z]+)$/gi;
const exp = str => Array.from(
  str.matchAll(regex), m => m[4] ? [m[3] ? -1 : 0, m[4]] : [m[1], m[2]]
);
[
  "-24mn",
  "-100BC",
  "100BC",
  "100",
  "BC",
  "-bC",
  "-100",
  ""
].forEach(s =>
  console.log(exp(s))
);