我对Python相当陌生。我熟悉跨函数传递数据的概念。
理论上,
def c():
r = raw_input("Ask Something? ")
..
return r
def p(x):
...
do something
r = c()
p(r)
下面的代码通过终端(python filename.py 文件.txt(工作得很好,但我想添加工作流,其中变量存储文件的路径并将其传递给函数(进程文件(。我只是无法获取传递给函数的数据/值。
这是我正在尝试编辑的代码:
def registerException(exc):
exceptions[exc] += 1
def processFile(x):
with open(x, "r") as fh:
currentMatch = None
lastLine = None
addNextLine = False
for line in fh.readlines():
if addNextLine and currentMatch != None:
addNextLine = False
currentMatch += line
continue
match = REGEX.search(line) != None
if match and currentMatch != None:
currentMatch += line
elif match:
currentMatch = lastLine + line
else:
if currentMatch != None:
registerException(currentMatch)
currentMatch = None
lastLine = line
addNextLine = CONT.search(line) != None
# If last line in file was a stack trace
if currentMatch != None:
registerException(currentMatch)
for f in sys.argv[1:]:
processFile(f)
for item in sorted(exceptions.items(), key=lambda e: e[1], reverse=True):
print item[1], ":", item[0]
我将变量声明为全局变量还是局部变量并不重要。有人可以帮我解决这个问题吗?
编辑 1 :
我已经应用了丹尼尔建议的更改,现在我得到:类型错误:"NoneType"对象不可迭代。
下面是代码:
def c():
path = raw_input("Path to file? ")
r = os.path.abspath(path)
def process_file(filename):
current = None
last_line = None
continue_line = False
with open(filename, "r") as fh:
for line in fh:
if continue_line and current is not None:
continue_line = False
current += line
continue
if REGEX.search(line):
if current is None:
current = last_line
current += line
else:
if current is not None:
yield current
current = None
last_line = line
continue_line = CONT.search(line)
# If last line in file was a stack trace
if current is not None:
yield current
def process_files(filenames):
exceptions = defaultdict(int)
for filename in filenames:
for exc in process_file(filename):
exceptions[exc] += 1
for item in sorted(exceptions.items(), key=lambda e: e[1], reverse=True):
print item[1], ":", item[0]
r = c()
process_files(r)
我做了一些更改并删除了sys.argv[1],因为它在运行脚本时需要在命令行中有一个参数。
我认为我得到的新错误是由于操作系统路径造成的。我该如何解决这个问题?
exceptions
也是一个参数,必须传递给所有函数。或者,您可以将processFile
编写为生成器,内联registerException
:
def process_file(filename):
current = None
last_line = None
continue_line = False
with open(filename, "r") as fh:
for line in fh:
if continue_line and current is not None:
continue_line = False
current += line
continue
if REGEX.search(line):
if current is None:
current = last_line
current += line
else:
if current is not None:
yield current
current = None
last_line = line
continue_line = CONT.search(line)
# If last line in file was a stack trace
if current is not None:
yield current
def process_files(filenames)
exceptions = defaultdict(int)
for filename in filenames:
for exc in process_file(filename):
exceptions[exc] += 1
for item in sorted(exceptions.items(), key=lambda e: e[1], reverse=True):
print item[1], ":", item[0]
process_files(sys.argv[1:])