2

我的代码是:

from random import randrange, choice
from string import ascii_lowercase as lc
from sys import maxsize
from time import ctime

tlds = ('com', 'edu', 'net', 'org', 'gov')

for i in range(randrange(5, 11)):
    dtint = randrange(maxsize)                      
    dtstr = ctime()                                  
    llen = randrange(4, 8)                              
    login = ''.join(choice(lc)for j in range(llen))
    dlen = randrange(llen, 13)                          
    dom = ''.join(choice(lc) for j in range(dlen))
    print('%s::%s@%s.%s::%d-%d-%d' % (dtstr, login,dom, choice(tlds),
                                  dtint, llen, dlen), file='redata.txt')

我想在文本文件中打印结果,但出现此错误:

dtint, llen, dlen), file='redata.txt')
AttributeError: 'str' object has no attribute 'write'
4

1 回答 1

9

file应该是文件对象,而不是文件名。文件对象有write方法,str对象没有。

从文档上print

文件参数必须是带有方法的对象write(string);如果它不存在或None,sys.stdout将被使用。

另请注意,该文件应打开以进行写入:

with open('redata.txt', 'w') as redata: # note that it will overwrite old content
    for i in range(randrange(5,11)):
        ...
        print('...', file=redata)

在此处查看有关该open功能的更多信息。

于 2012-11-04T07:37:11.200 回答