Python函数:使用批处理文件将参数从.txt文件传递给python函数并执行函数

时间:2019-04-11 09:34:55

标签: python python-3.x function batch-file parameters

我想使用批处理文件将1个或多个参数从文本文件传递给python函数。这可能吗?理想情况下,我想从文本文件中的一行读取内容,该行会将特定的com端口传递给python函数my_function,而这些操作可以使用批处理文件来完成

我目前可以使用批处理文件调用python脚本,如下所示。另外,我还可以调用python函数,并使用Python Shell将参数传递给它。我需要能够将文本文件中的不同值传递给卡住的函数。

任何帮助将不胜感激。

当前批处理文件代码调用python脚本

echo[
@echo. The Step below calls the script which opens COM 12
echo[

"C:\Python\python.exe" "C:\Scripts\open_COM12.py"

当前的python代码可以传递参数(com端口号)并调用python函数

import ConfigComPort as cw
from ConfigComPort import my_function
my_function('12')

连接成功

文本文件内容

COM_PORTS
12
19
23
22

1 个答案:

答案 0 :(得分:0)

如果您有一个名为parameters.txt的包含数据的文件

foo
bar
foobar

还有一个功能

def my_function(some_text):
    print("I was called with " + some_text)

然后,您可以执行此操作以将文件的每一行传递给函数:

with open('parameters.txt', 'r') as my_file:
    for line in my_file:
        # remove the # and space from the next line to enable output to console:
        # print(line.rstrip())

        my_function(line.rstrip())

请注意,我所有示例中的rstrip()方法都删除了尾随换行符(以及其他尾随空白),否则这些换行符将成为每行的一部分。

如果您的参数文件具有标题(如您的示例中的标题),则可以跳过该标题。

例如,您可以一次将所有行读入列表,然后遍历子集:

with open('parameters.txt', 'r') as my_file:
    all_lines = [line.rstrip() for line in my_file.readlines()]

# print(all_lines)

for line in all_lines[1:]:
    # print(line)

    my_function(line)

但是,这只会忽略标题。如果您不小心传递了错误的文件或内容无效的文件,则可能会带来麻烦。

最好检查文件头是否正确。您可以从上方展开代码:

with open('parameters.txt', 'r') as my_file:
    all_lines = [line.rstrip() for line in my_file.readlines()]

# print(all_lines)

if all_lines[0] != 'COM_PORTS':
    raise RuntimeError("file has wrong header")

for line in all_lines[1:]:
    # print(line)

    my_function(line)

或者您可以在循环内执行此操作,例如:

expect_header = True

with open('parameters.txt', 'r') as my_file:
    for line in my_file:
        stripped = line.rstrip()
        if expect_header:
            if stripped != 'COM_PORTS':
                raise RuntimeError("header of file is wrong")

            expect_header = False
            continue

        # print(stripped)

        my_function(stripped)

或者您可以使用生成器表达式在循环外部检查标头:

with open('parameters.txt', 'r') as my_file:
    all_lines = (line.rstrip() for line in my_file.readlines())

if next(all_lines) != 'COM_PORTS':
    raise RuntimeError("file has wrong header")

for line in all_lines:
    # print(line)

    my_function(line)

我可能更喜欢最后一个,因为它结构清晰且没有魔术数字(例如01,指的是标题的哪一行以及要跳过的行数,分别),并且不需要一次将所有行读入内存。

但是,如果您想对它们进行进一步处理,那么上述解决方案最好一次将所有行读取到列表中,因为在这种情况下数据已经可用,并且您无需再次读取文件