读取会导致python中的空config.txt文件

2024-06-06 08:16:44 发布

您现在位置:Python中文网/ 问答频道 /正文

# read no. of requests
if(os.path.isfile("config.txt")):
        with open("config.txt", "r") as json_file:# Open the file for reading   
            configurations = json.load(json_file) # Read the into the buffer
            # info = json.loads(js.decode("utf-8"))
            print("read config file")
            if("http_requests_count" in configurations.keys()):
                print("present")
                print(configurations["http_requests_count"])
                number_of_requests = int(configurations["http_requests_count"])
                print(number_of_requests)

我正在读取的config.txt文件

{
    "first_container_ip": "8100",
    "master_db" : "abc",
    "http_requests_count" : "8",
    "master_name" : "master",
    "slave_names" : ["slave1", "slave2", "slave3"]
}

在代码的后面,当我打开配置文件编写它的giving me错误时,如

io.UnsupportedOperation: not readable

当我手动打开配置文件时,我发现它是空的


Tags: ofthemastertxtconfigjsonhttpnumber
1条回答
网友
1楼 · 发布于 2024-06-06 08:16:44

在完整的代码示例中,您可以

with open("config.txt", "w") as json_file:# Open the file for writing
    configurations = json.load(json_file) # Read the into the buffer

哪个失败(无法从为写入而打开的文件中读取)截断文件(就像使用w打开文件一样)

这就是为什么会出现UnsupportedOperation错误,以及文件最终为空的原因

我建议进行重构,这样您就可以使用两个简单的函数来读取和写入配置文件:

def read_config():
    if os.path.isfile("config.txt"):
        with open("config.txt", "r") as json_file:
            return json.load(json_file)
    return {}


def save_config(config):
    with open("config.txt", "w") as json_file:
        json.dump(config, json_file)


def scaleup(diff):
    config = read_config()
    slave_name_list = config.get("slave_names", [])
    # ... modify things ...
    config["slave_names"] = some_new_slave_name_list
    save_config(config)


def scaledown(diff):
    config = read_config()
    slave_name_list = config.get("slave_names", [])
    # ... modify things...
    slave_name_list = list(set(slave_name_list) - set(slave_list))
    config["slave_names"] = slave_name_list
    save_config(config)

(顺便说一下,既然您正在做DOCKER容器管理,请考虑将容器标签本身用作您的状态管理的主数据,而不是单独的文件,它可以很容易地脱离同步。)

相关问题 更多 >