我想搜索字符串,看它是否包含以下任何字词:AB|AG|AS|Ltd|KB|University
我在javascript中使用它:
var str = 'Hello test AB';
var forbiddenwords= new RegExp("AB|AG|AS|Ltd|KB|University", "g");
var matchForbidden = str.match(forbiddenwords);
if (matchForbidden !== null) {
console.log("Contains the word");
} else {
console.log("Does not contain the word");
}
我怎样才能在python中完成上述工作?
答案 0 :(得分:4)
import re
strg = "Hello test AB"
#str is reserved in python, so it's better to change the variable name
forbiddenwords = re.compile('AB|AG|AS|Ltd|KB|University')
#this is the equivalent of new RegExp('AB|AG|AS|Ltd|KB|University'),
#returns a RegexObject object
if forbiddenwords.search(strg): print 'Contains the word'
#search returns a list of results; if the list is not empty
#(and therefore evaluates to true), then the string contains some of the words
else: print 'Does not contain the word'
#if the list is empty (evaluates to false), string doesn't contain any of the words
答案 1 :(得分:3)
您可以使用re模块。请尝试以下代码:
import re
exp = re.compile('AB|AG|AS|Ltd|KB|University')
search_str = "Hello test AB"
if re.search(exp, search_str):
print "Contains the word"
else:
print "Does not contain the word"
答案 2 :(得分:1)
str="Hello test AB"
to_match=["AB","AG","AS","Ltd","KB","University"]
for each_to_match in to_match:
if each_to_match in str:
print "Contains"
break
else:
print "doesnt contain"
答案 3 :(得分:1)
您可以使用findall查找所有匹配的字词:
import re
s= 'Hello Ltd test AB ';
find_result = re.findall(r'AB|AG|AS|Ltd|KB|University', s)
if not find_result:
print('No words found')
else:
print('Words found are:', find_result)
# The result for given example s is
# Words found are: ['Ltd', 'AB']
如果找不到任何单词,则re.findall
返回空列表。最好不要使用str
作为名副其实的名称,因为它在同一name下的python中覆盖了函数。