0

1.我正在尝试读取标签“sanity_results”之间的xml文件(查看输入http://pastebin.com/p9H8GQt4)并打印输出

2.对于具有 http:// 或 // 的任何行或行的一部分,我希望它在链接上附加“a href”超链接标签,以便当我发布到电子邮件时,它们在电子邮件中显示为超链接

Input file(results.xml)
http://pastebin.com/p9H8GQt4


def getsanityresults(xmlfile):
    srstart=xmlfile.find('<Sanity_Results>')
    srend=xmlfile.find('</Sanity_Results>')
    sanity_results=xmlfile[srstart+16:srend].strip()
    sanity_results = sanity_results.replace('\n','<br>\n')
    return sanity_results

def main ():
xmlfile = open('results.xml','r')
contents = xmlfile.read()
testresults=getsanityresults(contents)
print testresults
for line in testresults:
        line = line.strip()
        //How to find if the line contains "http" or "\\" or "//" and append "a href"attribute
        resultslis.append(link)

如果名称== '主要': main()

4

1 回答 1

0

看看你的错误信息:

AttributeError: 'file' object has no attribute 'find'

然后看看main():你正在open('results.xml', 'r')输入 into的结果getsanityresults。但open(...)返回一个文件对象,而getsanityresults期望xmlfile是一个字符串

您需要提取inti 的内容并提供给xmlfilegetsanityresults

要获取文件的内容,请阅读 [this bit of the python documentation]9http://docs.python.org/2/tutorial/inputoutput.html#methods-of-file-objects)。

特别是,尝试:

xmlfile = open('results.xml', 'r')
contents = xmlfile.read() # <-- this is a string
testresults = getsanityresults(contents) # <-- feed a string into getsanityresults
# ... rest of code
于 2012-11-20T00:57:04.750 回答