首先,要获得当前正在执行的脚本名,或者更确切地说是调用函数的模块,必须从堆栈跟踪中获取它。globals()-它将在writeToValues()函数的相同上下文中执行,因此它不会从“调用者”接收globals()。要纠正这种情况,您可以使用inspect模块:import inspect
import os
def writeToValues(name):
caller = inspect.getmodule(inspect.stack()[1][0])
caller_globals = caller.__dict__ # use this instead of globals()
fileName = os.path.splitext(os.path.basename(caller.__file__))[0]
# etc.
这将确保您获得导入脚本并在其中调用writeToValues()的模块的名称。在
请记住,如果您打算编写可用的Python文件,这是一个非常糟糕的主意-如果您的脚本名有空格(如您的示例中所示),它将写入一个带有空格的变量名,如果您试图将生成的文件加载到Python解释器中,这将进一步导致语法错误。在
第二,为什么在所有事物的名字fluffy你试图做一个反向查找来找到一个变量名?您知道:
^{pr2}$
将写入{"ab": 2},而不是{}使其在意图(保存错误的变量)和状态表示(保存错误的值)中都不正确,对吗?您应该传递一个要存储/更新的变量名称,以确保获取正确的属性。在
更新部分的问题更大——您需要更新文件,而不仅仅是附加到文件中。这意味着您需要找到当前脚本的行,将其删除,然后在其位置编写一个同名的新dict。如果您不希望您的文件增长到很大的比例(也就是说,您可以将其部分保存在工作内存中),您可以使用以下方法来实现:import os
import inspect
def writeToValues(name):
caller = inspect.getmodule(inspect.stack()[1][0])
caller_globals = caller.__dict__ # use this instead of globals()
caller_name = os.path.splitext(os.path.basename(caller.__file__))[0]
# keep 'mydict' list in the caller space so multiple callers can use this
target_dict = caller_globals['mydict'] = caller_globals.get('mydict', {})
if name not in caller_globals: # the updated value no longer exists, remove it
target_dict.pop(name, None)
else:
target_dict[name] = caller_globals[name]
# update the 'values.py':
# optionaly check if you should update - if values didn't change no need for slow I/O
with open("values.py", "a+") as f:
last_pos = 0 # keep the last non-update position
while True:
line = f.readline() # we need to use readline() for tell() accuracy
if not line or line.startswith(caller_name): # break at the matching line or EOF
break
last_pos = f.tell() # new non-update position
append_data = f.readlines() # store in memory the rest of the file content, if any
f.seek(last_pos) # rewind to the last non-update position
f.truncate() # truncate the rest of the file
f.write("".join((caller_name, " = ", str(target_dict), "\n"))) # write updated dict
if append_data: # write back the rest of the file, if truncated
f.writelines(append_data)
return target_dict
否则,使用临时文件在读取时写入所有内容,除了与当前脚本匹配的行外,为当前脚本附加新值,删除原始值并将临时文件重命名为values.py。在
所以现在,如果您将上述内容存储在value_writter.py中,并在脚本my_script.py中使用它:import value_writter
a = 2
b = 3
value_writter.write_to_values("a")
value_writter.write_to_values("b")
a = 5
value_writter.write_to_values("a")
# values.py contains: my_script = {"a": 5, "b": 3}
对于您导入到的任何脚本也应该如此。现在,让多个脚本在没有锁定机制的情况下编辑同一个文件是一个等待发生的意外,但那是另一回事。在
此外,如果您的值很复杂,系统将中断(或者更确切地说,您的dict打印输出看起来不太合适)。帮你自己一个忙,使用一些适当的序列化,甚至可怕的pickle也比这更好。在