หากคุณต้องการทราบว่าทั้งคำอยู่ในรายการคำที่คั่นด้วยช่องว่างหรือไม่ให้ใช้:
def contains_word(s, w):
return (' ' + w + ' ') in (' ' + s + ' ')
contains_word('the quick brown fox', 'brown') # True
contains_word('the quick brown fox', 'row') # False
วิธีการอันงดงามนี้ยังเร็วที่สุด เปรียบเทียบกับแนวทางของ Hugh Bothwell และ daSong:
>python -m timeit -s "def contains_word(s, w): return (' ' + w + ' ') in (' ' + s + ' ')" "contains_word('the quick brown fox', 'brown')"
1000000 loops, best of 3: 0.351 usec per loop
>python -m timeit -s "import re" -s "def contains_word(s, w): return re.compile(r'\b({0})\b'.format(w), flags=re.IGNORECASE).search(s)" "contains_word('the quick brown fox', 'brown')"
100000 loops, best of 3: 2.38 usec per loop
>python -m timeit -s "def contains_word(s, w): return s.startswith(w + ' ') or s.endswith(' ' + w) or s.find(' ' + w + ' ') != -1" "contains_word('the quick brown fox', 'brown')"
1000000 loops, best of 3: 1.13 usec per loop
แก้ไข:ตัวแปรเล็กน้อยสำหรับแนวคิดนี้สำหรับ Python 3.6+ เร็วพอ ๆ กัน:
def contains_word(s, w):
return f' {w} ' in f' {s} '