从模块导入更新的变量

时间:2017-04-22 16:16:18

标签: python python-import

我在更新后从模块导入变量时遇到问题。我正在使用3个文件:第一个是'main'文件并启动函数,第二个是'setup'并包含变量和修改它的函数,第三个是使用变量的'help'文件。问题是,当我启动'main'文件然后从'setup'中修改变量时,一切正常。但是当我启动'help'文件时,它会使用未更新的变量,我无法理解为什么。

main.py:

from colorama import init
from termcolor import colored
import subprocess
import check_functions_and_setup
init()  # starts colorama
while True:
    color = check_functions_and_setup.color_main
    command = raw_input(colored("Insert function: \n >> ", color))
    if (command == "help") or (command == "Help"):
        process = subprocess.call('start /wait python help_function.py', shell=True)
    elif command == "change color help":
        # updates the color in the setup file
        check_functions_and_setup.color_help = check_functions_and_setup.change_color_help(check_functions_and_setup.color_list, check_functions_and_setup.color_help, color)   

设置:

color_help = "cyan"
color_list = ["grey", "red", "green", "yellow", "blue", "magenta", "cyan", "white"]
def change_color_help(color_list, color_help, color):
    input_color = raw_input(colored("Insert new color: \n >> ", color))
    if input_color in color_list:
        return input_color
    else:
        print colored("Invalid color", color)
        return color_help

帮助:

from colorama import init
from termcolor import colored
import check_functions_and_setup
init()  # starts colorama
print colored("WELCOME IN THE HELP PROGRAM!", check_functions_and_setup.color_help)

最后一行是不工作的;实际上,即使我成功地从函数中更改了help_color,也会使用与原始color_help变量相同的颜色打印该行。

1 个答案:

答案 0 :(得分:0)

您正在通过subprocess运行帮助代码。该子进程不会与运行main的父进程共享内存(以及您更改颜色的位置)。不是将帮助代码作为单独的流程运行,而是让main模块import成为帮助模块,并调用您需要的任何功能。

以下是您的代码的简化版本:

# main.py

import settings
from help import show_color

while True:
    action = raw_input('Action: ')
    if action == '':
        break
    elif action == 'help':
        show_color()
    else:
        settings.set_color()

# settings.py

color = 'cyan'

def set_color():
    global color
    color = raw_input('Enter new color: ')

# help.py

import settings

def show_color():
    print 'help.py: ', settings.color

请注意,您的设计 - 您依赖于更改模块中全局变量的值 - 非常笨拙和严格。几乎可以肯定有更好的方法来处理这种颜色变化。