問題: 如何有效地確定給定字串是否包含JavaScript 中預定義陣列中的任何子字串?
解決方案:
您可以採取兩種方法來完成此任務:
array.some() 方法可讓您檢查陣列中是否至少有一個元素滿足給定條件。您可以如下使用它:
<code class="javascript">if (substrings.some(function(v) { return str.indexOf(v) >= 0; })) { // There's at least one matching substring }</code>
或者,使用箭頭函數和includes()方法:
<code class="javascript">if (substrings.some(v => str.includes(v))) { // There's at least one matching substring }</code>
雖然沒有專門為此類搜尋設計的內建函數,但您可以建構正規表示式來匹配所需的子字串,並在字串上使用test() 方法。但是,對於大型數組和字串,這種方法的計算成本可能很高。
<code class="javascript">const regex = new RegExp(`( ${substrings.join(' | ')} )`, 'g'); if (regex.test(str)) { // There's at least one matching substring }</code>
考慮以下子字串陣列和兩個不同的字串:
<code class="javascript">const substrings = ["one", "two", "three"]; let str1 = "this has one"; let str2 = "this doesn't have any";</code>
使用array.some() 方法:
<code class="javascript">if (substrings.some(v => str1.includes(v))) { console.log(`Match using "${str1}"`); } else { console.log(`No match using "${str1}"`); }</code>
輸出:
Match using "this has one"
<code class="javascript">if (substrings.some(v => str2.includes(v))) { console.log(`Match using "${str2}"`); } else { console.log(`No match using "${str2}"`); }</code>
輸出:
No match using "this doesn't have any"
以上是如何在 JavaScript 中有效率地檢查數組中的子字串匹配項?的詳細內容。更多資訊請關注PHP中文網其他相關文章!