如何输出每个字母之间有空格的字符串

时间:2015-10-02 00:27:47

标签: python python-2.7 python-2.x

例如,如果我输入I love dogs,则需要看起来像这样:

I  l o v e  d o g s

此代码无法执行我需要执行的操作:

def spaceitout(source):
    pile = ""
    for letter in source:
        pile = pile+letter
        print pile
    print pile

8 个答案:

答案 0 :(得分:1)

def evenly_spaced(string_,space_= 1):

    import re

    return (' '*space_).join([c for c in re.split(r'(\w)',string_) if c.isalpha()])

print(evenly_spaced(" This a long story ",2))

T  h  i  s  a  l  o  n  g  s  t  o  r  y

答案 1 :(得分:1)

这可以满足您的需求吗?

pile = ' '.join(source)

这需要" source"的元素。并用一个空格作为连接器加入它们。

如果只需要分隔的字母,则只建立字母列表,然后加入:

pile = ' '.join([c for c in source if c.isalpha()])

答案 2 :(得分:1)

字母之间的空格:

def spaceitout(source, count): 
    return (' '*count).join([letter for letter in source.replace(' ','')])

单词之间的空格:

def spaceitout(source, count):
    return (' '*count).join(source.split())

所有角色之间的空格:

def spaceitout(source, count): 
    return (''.join([c + (' '*count) for c in source]).strip())

答案 3 :(得分:1)

简单的答案是:

def spaceitout(source):
    pile = ""
    for letter in source:
        pile = pile + letter + " "
    pile = pile[:-1] #Strip last extraneous space.
    print pile

答案 4 :(得分:1)

允许您指定单词之间的空格以及字符之间的空格。基于BigOldTree提供的答案

def space_it(text, word_space=1, char_space=0):
    return (' '*word_space).join([(' '*char_space).join(x) for x in text.split(' ')])

注意:这会将输入文本中的两个空格视为在它们之间有“隐形字”,如果不需要,则将text.split(' ')更改为text.split()

答案 5 :(得分:1)

我认为这就是你要找的东西:

line = 'I love dogs'
for i in line:
 if i != ' ':
  print i,
 else:
  print '',

答案 6 :(得分:0)

使用itertools:

import itertools

def space_word(word, spaces_count=1):
    if spaces_count < 1:
        raise ValueError("spaces_count < 1")

    def space_word_wrapped(word, spaces_count):
        letters = itertools.chain.from_iterable(zip(word, itertools.cycle(" ")))
        skipped = 0  # have to keep track of how many letter skips
                     # or else from_word starts breaking!
                     # TODO : better implementation of this
        for i, lett in enumerate(letters, start=1):
            from_word = (i + skipped) % 2
            if lett.isspace() and from_word:
                if spaces_count == 1:
                    next(letters)
                    skipped += 1
                    continue       # and skip the space itself
                elif spaces_count == 2:
                    continue       # just count the space
                elif spaces_count == 3:
                    pass           # count everything
                else:          # spaces_count >= 4
                    yield from [" "] * (spaces_count - 3)
            yield lett

    return ''.join(space_word_wrapped(word, spaces_count)).rstrip()

在这里使用迭代器可能更便宜,但我喜欢嵌套函数方法中的生成器。所以起诉我! :)

答案 7 :(得分:0)

这会列出你的单词('his'= ['h','i','s'],然后用空格而不是逗号加入。

python hive-connection-test.py