在 Python 中检查字符串是否包含单词

Muhammad Maisam Abbas 2023年10月10日
在 Python 中检查字符串是否包含单词

本教程将介绍 Python 中查找指定单词是否在字符串变量中的方法。

通过 Python 中的 if/in 语句检查字符串是否包含单词

如果我们想检查给定的字符串中是否包含指定的单词,我们可以使用 Python 中的 if/in 语句。if/in 语句返回 True 如果该词出现在字符串中,而 False 如果该词不在字符串中。

以下程序片段向我们展示了如何使用 if/in 语句来确定字符串是否包含单词:

string = "This contains a word"
if "word" in string:
    print("Found")
else:
    print("Not Found")

输出:

Found

我们使用上面程序中的 if/in 语句检查了字符串变量 string 中是否包含单词 word。这种方法按字符比较两个字符串;这意味着它不会比较整个单词,并且可能会给我们错误的答案,如以下示例所示:

string = "This contains a word"
if "is" in string:
    print("Found")
else:
    print("Not Found")

输出:

Found

输出显示单词 is 出现在字符串变量 string 中。但是,实际上,这个 is 只是 string 变量中第一个单词 This 的一部分。

这个问题有一个简单的解决方案。我们可以用空格将单词和 string 变量括起来,以比较整个单词。下面的程序向我们展示了如何做到这一点:

string = "This contains a word"
if " is " in (" " + string + " "):
    print("Found")
else:
    print("Not Found")

输出:

Not Found

在上面的代码中,我们使用了相同的 if/in 语句,但我们稍微修改了它以仅比较单个单词。这一次,输出显示在 string 变量中不存在 is 这样的词。

Muhammad Maisam Abbas avatar Muhammad Maisam Abbas avatar

Maisam is a highly skilled and motivated Data Scientist. He has over 4 years of experience with Python programming language. He loves solving complex problems and sharing his results on the internet.

LinkedIn

相关文章 - Python String