我有一个文本文件,其中写入了函数名称以及诸如“插入3”之类的参数,在这里我需要读取插入内容,并单独写入3以调用带有参数3的函数插入。
到目前为止,我已经打开文件并在文件上调用.readlines()来将每一行分隔为每一行文本的列表。我现在正在努力寻找一种将.split()递归应用于每个元素的方法。我要通过函数式编程来做到这一点,而不能使用for循环来应用.split()函数。
def execute(fileName):
file = open(fileName + '.txt', 'r').readlines()
print(file)
reduce(lambda x, a: map(x, a), )
我想每行分别使用不同数量的参数,因此我可以调用测试脚本并运行每个函数。
答案 0 :(得分:1)
嘿,我刚刚在repl.it上编写了代码,您应该检查一下。但这是细分。
现在,您应该在列表中列出每个元素都是文件中的新行
lines = ["command argument", "command argument" ... "command argument"]
现在遍历列表中的每个元素,并在其中将元素拆分为“”(空格字符),并将其附加到新列表中,所有命令及其各自的参数将存储在该列表中。
for line in lines:
commands.append(line.split(" "))
现在命令列表应该是包含数据的多维数组,例如
commands = [["command", "argument"], ["command", "argument"], ... ["command", "argument"]]
现在,您可以遍历每个子列表,其中索引0的值是命令,索引1的值是参数。之后,您可以使用if语句来检查要使用哪种数据类型作为参数运行的命令/函数
这里是全代码:
command = []
with open("command_files.txt", "r") as f:
lines = f.read().strip().split("\n") # removing spaces on both ends, and spliting at the new line character \n
print(lines) # now we have a list where each element is a line from the file
# breaking each line at " " (space) to get command and the argument
for line in lines:
# appending the list to command list
command.append(line.split(" "))
# now the command list should be a multidimensional array
# we just have to go through each of the sub list and where the value at 0 index should be the command, and at index 1 the arguments
for i in command:
if i[0] == "print":
print(i[1])
else:
print("Command not recognized")