如何使用javascript获取字符串中的匹配索引?

时间:2019-09-04 16:39:27

标签: javascript

如何使用javascript获取字符串中匹配模式的索引?

考虑字符串original_string =“我是[1 @一些用户]还有一些文本[2 @另一个用户]”

我正在使用模式/ [\ d + @(?[^] \ r \ n] *)] / g匹配方括号中的字符串

然后我使用string.matchAll(original_string)来获取匹配项

const matches = string.matchAll(original_string);
let names = [];
for (const match in matches) {
    names.push(match);
 }

 now the names array will contain ["some user", "another user"]
 now how do i get the index of the first match in original string from names array.

  const final_string = []
  const original_string = "i am [12@some user] some text [2@some user2]"
  let prev_match_pos = 0
  for each match in original_string 
      final_string.push(text from the end of prev match up until current 
      match start)
      final_string.push(<span>match</span>)
      update prev_match_pos

  final_string.push(text from the end of previous match to the end of the 
  original string)

我想在javascript中实现上述算法。

基本上我想将此字符串转换为“我是[1 @ some用户]一些文本[2 @另一个用户]”

“我是<span>some user</span>的另一个用户'另一个用户'”

我该怎么办?

基本实现如下,

将字符串放在方括号中。 从方括号中的字符串中提取@字符后的值。 然后将提取的值嵌入span标签中,并将其放置在原始字符串中。

有人可以帮我这个忙吗?谢谢。

3 个答案:

答案 0 :(得分:1)

如果要将[id@name]部分替换为格式化名称(例如<span>name</span>),则可以使用 String.replace

const text = 'i am [1@some user] some more text [2@another user]';
text.replace(/\[\d+@([A-z\s]*)\]/g, '<span>$1</span>');
// outputs: i am <span>some user</span> some more text <span>another user</span>

String.replace支持在newSubstr参数(新子字符串)中使用捕获组

答案 1 :(得分:1)

您将需要改进正则表达式,这对于给定的示例来说效果很好,

let originalString = "i am [1@some user] some more text [2@another user]";

const matches = originalString.match(/[^[\]]+(?=])/g);
let newString = originalString;
matches.forEach(match => {
  newString = newString.replace(
    `[${match}]`,
    `<span>${match.split("@")[1]}</span>`
  );
});
console.log(newString);

答案 2 :(得分:0)

真的不知道这是否对您有帮助,但是一个快速的解决方案可能是:

HTML:

<div>
  <p>user 1 : <span id="first"></span></p>
  <p>user 2: <span id="second"></span></p>
</div>

<script>
let string = "first user is [1@user1] and second is [2@user2]";

let users = string.match(/[^[\]]+(?=])/g).map(el => el.split('@')[1]);

document.getElementById('first').innerText = users[0];
document.getElementById('second').innerText = users[1];
</script>