我有这样的文本文件:
this is a text file.
我想将它保存到另一个文件中,如下所示:
this is a text file
每个单词都进入了新的界限.我也有这个非常简单的代码:
with open("test.txt", encoding = 'utf-8') as f: for line in f: for word in line.split(): print(word) with open("test1.txt","a") as f1: f1.write(word)
但是在打印之后,所有的单词都会写在一起.你能帮我个忙吗?(只是一点暗示我应该怎么做)
当你这样做时:
for word in line.split():
实际上你正在遍历这个列表:
['this', 'is', 'a', 'text', 'file.']
因为你split
超过了空白.然后当你把它写回来的时候"test1.txt","a"
,你正在编写那个列表中的内容,而没有任何分隔符或空格,所以这是你的输出:
thisisatextfile.
现在,如果你想要每行上的每个单词,只需写下与"\n"
(新行字符)连接的每个单词.
我对您的代码进行了一些更改,应该如下所示:
with open("test.txt", 'r') as f, open("test1.txt", 'w') as f1: for line in f: f1.write('\n'.join(line.split())) f1.write('\n')
让我们仔细看看最重要的一行:f1.write('\n'.join(line.split()))
.
str.split()
将字符串拆分为空白字符列表.(标签,空格,换行符).所以结果'word1 word2\nword3\tword4'.split()
将是['word1', 'word2', 'word3', 'word4']
.
str.join(
将给定字符串的iterable连接在一起.结果'\n'.join(['word1', 'word2', 'word3', 'word4'])
是'word1\nword2\nword3\nword4'