如何以压缩方式指定文件路径?

How to specify file paths in a compressed way?

我需要指定文件路径来对从 API 检索到的 JSON 文件进行排序。我有一个 class 模块可以保存和加载文件

import os
import json

class Directory:

    def __init__(self):
        self.working_dir = os.path.dirname(__file__) #Get's the current working directory


    def mkdir(self, *path):
        """Creates folder in the same level as the working directory folder

            Args:
                *args: path to folder that is to be created
        """
        target_dir = os.path.join(self.working_dir, *path)
        try: 
            if os.path.exists(target_dir) == True:
                print(target_dir, 'exists')
            else:
                os.mkdir(os.path.join(self.working_dir, *path))
                print(os.path.join(self.working_dir, *path), 'succesfully created')
        except OSError as e:
            print(folder,'coult not be created', e)

    def check_if_file_exist(self, *path):
        if os.path.exists(os.path.join(self.working_dir, *path)):
            return True
        else:
            return False

    def save_json(self, filename, content, *path):
            """save dictionarirys to .json files        
            Args:
                file (str): The name of the file that is to be saved in .json format
                filename (dict): The dictionary that is to be wrote to the .json file
                folder (str): The folder name in the target directory
            """
            target_dir = os.path.join(self.working_dir, *path)
            file_dir = os.path.join(self.working_dir, target_dir, filename) 
            with open(file_dir + '.json', "w") as f:
                #pretty prints and writes the same to the json file
                f.write(json.dumps(content, indent=4, sort_keys=False))

但是,例如,当必须指定文件路径时,它通常会导致非常长的行。

#EXAMPLE
filename = self.league + '_' + year + '_' + 'fixturestats'
self.dir.save_json(filename, stats, '..', 'json', 'params', 'stats')
path = '/'.join(('..', 'json', 'params'))

#OTHER EXAMPLE
league_season_info = self.dir.load_json('season_params.json', '..', 'json', 'params')

我想知道当存储库包含相对于工作目录的相当静态的文件夹时,最佳实践是什么。我所有的模块现在都构建为创建存储库中所需的文件夹(如果它们不存在),因此我可以指望加载或保存文件时路径存在。

晚会有点晚了,但我可以这样做。正如您提到的,这些文件夹是相当静态的,它们可以放入某种配置对象中(例如,作为拥有 dir 的事物的 class 成员或独立对象)。由于我不知道你的 class 结构,我会选择一个独立的对象。

这可能类似于以下内容,使用 pathlib:*

from pathlib import Path

class StorageConfig:
  STORAGE_BASE_DIR = Path("json")
  PARAMS_DIR = STORAGE_BASE_DIR / "params"
  STATS_DIR = PARAMS_DIR / "stats"

  # Etc.

可以这样使用:

self.dir.save_json(filename, stats, StorageConfig.STATS_DIR)
params = self.dir.load_json('season_params.json', StorageConfig.PARAMS_DIR)

或者,完全取消目录参数:

self.dir.save_json(StorageConfig.STATS_DIR / (filename + ".json"), stats)
params = self.dir.load_json(StorageConfig.PARAMS_DIR / 'season_params.json')

*Pathlib 可以简化您当前 Directory class 中的大部分代码。看看!