节点和重写 - 在文本中交替替换世界?

NODE and rewriting - Replace world alternatively in a text?

早上好,

我想重写一篇文章并替换经常重复的单词。

暂时我用

srt = srt.replace(/women/gi, 'girl');

谢谢

这段代码应该能达到您想要达到的目的。

抱歉。看了一眼代码,我以为这是 Python 。这是之前 Python 代码的 Javascript 版本。

有关使用“indexOf”与“includes”的更多信息check out this article

JavaScript

const word_to_replace = "amazing";
const list_of_words = ["randWord1", "randWord2", "randWord3", "randWord4", "randWord5", "randWord6"];
let blob = "This is an amazing text blob where the word amazing is replaced by a random word from list_of_words. Isn't that amazing!";
let random_word;
let randint;

while (blob.indexOf(word_to_replace) !== -1) {
    randint = Math.floor(Math.random() * list_of_words.length);
    random_word = list_of_words[randint];
    blob = blob.replace(word_to_replace, random_word);
}

Python

from random import randint


word_to_replace = "amazing"

list_of_words = ["randWord1", "randWord2",
                 "randWord3", "randWord4", "randWord5", "randWord6"]


blob = "This is an amazing text blob where the word amazing is replaced by a random word from list_of_words. Isn't that amazing!"

# Check if the word_to_replace is in the given blob.
# If there is an occurrence then loop again
# Keep looping until there aren't any more occurrences
while word_to_replace in blob:
    # Get a random word from the list called list_of_words
    random_word = list_of_words[randint(0, len(list_of_words)-1)]
    # Replace only one occurrence of word_to_replace (amazing).
    blob = blob.replace(word_to_replace, random_word, 1)

# Print the result
print(blob)

要一次执行 X 次出现次数,请将 blob.replace(word_to_replace, random_word, 1) 更改为 blob.replace(word_to_replace, random_word, 3)。请注意末尾的数字。它的意思是“你想一次替换多少次?”

感谢 MsonC。我已经将 python 转换为 JS

const word_to_replace = "amazing"

const list_of_words = ["randWord1", "randWord2", "randWord3", "randWord4", "randWord5", "randWord6"]


var blob = "This is an amazing text blob where the word amazing is replaced by a random word from list_of_words. Isn't that amazing!"

// Check if the word_to_replace is in the given blob./ If there is an occurrence then loop again // Keep looping until there aren't any more occurrences while (blob.includes(word_to_replace)) {
    // Get a random word from the list called list_of_words
    var random_word = list_of_words[Math.floor(Math.random() * (list_of_words.length))]
    // Replace only one occurrence of word_to_replace (amazing).
    blob = blob.replace(word_to_replace, random_word, 1) } // Print the result console.log(blob)