5

我正在写一个小片段,它抓取所有以大写字母开头的字母 python 。这是我的代码

def WordSplitter(n):
    list1=[]
    words=n.split()
    print words

    #print all([word[0].isupper() for word in words])
    if ([word[0].isupper() for word in words]):
        list1.append(word)
    print list1

WordSplitter("Hello How Are You")

现在当我运行上面的代码时。我希望该列表将包含 string 中的所有元素,因为其中的所有单词都以大写字母开头。但这是我的输出:

@ubuntu:~/py-scripts$ python wordsplit.py 
['Hello', 'How', 'Are', 'You']
['You']# Im expecting this list to contain all words that start with a capital letter
4

3 回答 3

10

你只评估一次,所以你得到一个 True 列表,它只附加最后一项。

print [word for word in words if word[0].isupper() ]

或者

for word in words:
    if word[0].isupper():
        list1.append(word)
于 2012-11-03T02:17:01.437 回答
1

您可以利用以下filter功能:

l = ['How', 'are', 'You']
print filter(str.istitle, l)
于 2012-11-03T02:35:47.417 回答
0

我已经编写了以下 python 片段来将大写字母开头的单词作为键存储到字典中,并且它的外观没有作为该字典中的值与键存储。

#!/usr/bin/env python
import sys
import re
hash = {} # initialize an empty dictinonary
for line in sys.stdin.readlines():
    for word in line.strip().split(): # removing newline char at the end of the line
        x = re.search(r"[A-Z]\S+", word)
        if x:
        #if word[0].isupper():
            if word in hash:
                hash[word] += 1
            else:
                hash[word] = 1
for word, cnt in hash.iteritems(): # iterating over the dictionary items
    sys.stdout.write("%d %s\n" % (cnt, word))

在上面的代码中,我展示了两种方法,检查大写起始字母的数组索引和使用正则表达式。欢迎对上述代码的性能或简单性提出任何改进建议

于 2013-12-12T06:37:57.903 回答