将嵌套列表的下一个列表中的下一个非空元素大写

时间:2019-04-03 21:49:05

标签: python indexing list-comprehension

我的函数的目的是将一个字符串作为输入,然后输出相同的字符串,打印的次数等于该字符串中非空字符的计数,下一个列表中的下一个非空元素将大写。最终输出应在列表中包含新字符串。

示例: 输入:hello 输出:["Hello", "hEllo", "heLlo", "helLo", "hellO"]

功能:

def cap_wave(str):
    str_split = len([x for x in list(str) if x.isalpha()])
    len_list = [list(str) for i in range(1, str_split+1)]
    result = []
    for i in range(len(len_list)):
        temp = []
        for t in len_list[i]:
            char_modified = t
            if not char_modified:
                continue
            else:
                temp.append(char_modified)
        result.append(temp)
        new_nested = [[a.upper() if i == 0 else a for i, a in enumerate(b)] for b in result]
        nest_joins = [''.join(x) for x in new_nested]
    return nest_joins

除了将大写的下一个字母(例如["Hello", "Hello", "Hello", "Hello", "Hello"])中的下一个字母和大写字母大写之外,以上函数将满足所有要求。我的直觉说要使用索引切片进行计数,但是我不确定如何实现而不遇到索引范围错误。

2 个答案:

答案 0 :(得分:2)

如果对单词的字母进行迭代,则可以使用enumerate()upper()来获得想要的效果:

text = "hello"   # this will _not_ lowercase first - do that before if you want it

k = []
for i,c in enumerate(text):
    k.append(text[:i]+ text[i].upper() + text[i+1:])

print(k) 

输出:

['Hello', 'hEllo', 'heLlo', 'helLo', 'hellO']

enumerate()为您提供单词的当前位置,并在列表中四处切角以使大写正确的字符。

相关:

答案 1 :(得分:1)

s1 = "hello"

words = []
for i in range(len(s1)):
    words.append(s1[:i] + s1[i:i+1].capitalize() + s1[i+1:])

print(words)

会产生

['Hello', 'hEllo', 'heLlo', 'helLo', 'hellO']