Welcome to OStack Knowledge Sharing Community for programmer and developer-Open, Learning and Share
Welcome To Ask or Share your Answers For Others

Categories

0 votes
64 views
in Technique[技术] by (71.8m points)

javascript - How to match multiple words in multiple lines

I have a multiline text, e.g.

word1 in line1
     word2 in line2
  word3 in line 3

I need to see if two words present in whole text (AND operator). I tried something like:

/^.*(?=.*word1)(?=.*word3).*$/gm
question from:https://stackoverflow.com/questions/65622884/how-to-match-multiple-words-in-multiple-lines

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
Welcome To Ask or Share your Answers For Others

1 Answer

0 votes
by (71.8m points)

You can try this regex:

/^(?=[sS]*word1)(?=[sS]*word3)/
  • [sS] matches literally everything, encluding line wraps

  • is the word bound, so word1 count but sword1 does not.

And since you treat all the lines as a whole, you dont need m flag

Also you're only testing the text, you don't need g flag either

const text = `word1 in line1
     word2 in line2
  word3 in line 3`;
  
const regex = /^(?=[sS]*word1)(?=[sS]*word3)/;

console.log(regex.test(text));

与恶龙缠斗过久,自身亦成为恶龙;凝视深渊过久,深渊将回以凝视…
...