正则表达式,用于捕获特定的字母数字模式

时间:2019-05-22 20:46:39

标签: regex string regex-group regex-greedy uipath

我有这个字符串,我想知道如何提取“ 10-K_20190304_29_1_20190515”部分。

"nCABALLERO MARIA\r\n10.1-K\r\n10-K_20190304_29_1_20190515\r\n6204 DEPORTES SANTIAGO - PEÑALOLÉN"

我已经尝试过.+(?<=_).+,但是它带给我更多我需要的字符。

如何解决此问题?

2 个答案:

答案 0 :(得分:1)

在这里,我们希望从简单的左右边界开始,收集我们的需求数据并将其保存在捕获组($1)中。让我们开始:

[0-9]{2}-.+[0-9]{8}

并添加我们的捕获组:

([0-9]{2}-.+[0-9]{8})

DEMO

const regex = /[0-9]{2}-.+[0-9]{8}/gm;
const str = `nCABALLERO MARIA\\r\\n10.1-K\\r\\n10-K_20190304_29_1_20190515\\r\\n6204 DEPORTES SANTIAGO - PEÑALOLÉN`;
let m;

while ((m = regex.exec(str)) !== null) {
    // This is necessary to avoid infinite loops with zero-width matches
    if (m.index === regex.lastIndex) {
        regex.lastIndex++;
    }
    
    // The result can be accessed through the `m`-variable.
    m.forEach((match, groupIndex) => {
        console.log(`Found match, group ${groupIndex}: ${match}`);
    });
}

enter image description here

RegEx

如果不需要此表达式,可以在regex101.com中对其进行修改或更改。

RegEx电路

jex.im可视化正则表达式:

enter image description here


如果我们想添加更多的边界,我们当然可以这样做,这取决于我们可能输入的内容。例如,此表达式具有更多边界:

([0-9]{2}-[A-Z]+_[0-9]{8}[0-9_]+.+?[0-9]{8})

DEMO

const regex = /([0-9]{2}-[A-Z]+_[0-9]{8}[0-9_]+.+?[0-9]{8})/gm;
const str = `nCABALLERO MARIA\\r\\n10.1-K\\r\\n10-K_20190304_29_1_20190515\\r\\n6204 DEPORTES SANTIAGO - PEÑALOLÉN`;
let m;

while ((m = regex.exec(str)) !== null) {
    // This is necessary to avoid infinite loops with zero-width matches
    if (m.index === regex.lastIndex) {
        regex.lastIndex++;
    }
    
    // The result can be accessed through the `m`-variable.
    m.forEach((match, groupIndex) => {
        console.log(`Found match, group ${groupIndex}: ${match}`);
    });
}

答案 1 :(得分:0)

您还可以使用split提取“ 10-K_20190304_29_1_20190515”部分。

text.Split({“\r\n”},StringSplitOptions.None)(2)

enter image description here