Python:如何从不同的目录访问文件

时间:2013-06-21 21:14:25

标签: python python-2.7 import python-import pythonpath

我有以下项目结构

SampleProject
     com
       python
          example
             source
                utils
                   ConfigManager.py
     conf
        constants.cfg

如何从ConfigManager.py访问constants.cfg。

我有一个限制

  1. 我不能给出constants.cfg的完整路径(绝对路径),因为如果我在不同的PC上运行它应该不进行任何修改
  2. 此外,如果我代表下面的内容,我可以访问该文件。但我不想每次都给予斜线

    filename = ..\\..\\..\\..\\..\\..\\constants.cfg`
    
  3. 目前我正在做这样的事情。但这只适用于constants.cfg和ConfigManager.py位于同一目录

    的情况
    currentDir =  os.path.dirname(os.path.abspath(inspect.getfile(inspect.currentframe())))
    file = open(os.path.join(currentDir,'constants.cfg'))     
    

3 个答案:

答案 0 :(得分:4)

如果conf是Python包,那么您可以使用pkgutil.get_data()

import pkgutil

data = pkgutil.get_data("conf", "constants.cfg")

或者如果安装了setuptools - pkg_resources.resource_string()

import pkg_resources

data = pkg_resources.resource_string('conf', 'constants.cfg')

如果constants.cfg不在包中,则将其路径作为命令行参数传递,或者将其设置在环境变量中,例如CONFIG_MANAGER_CONSTANTS_PATH,或者从一组固定的默认路径中读取,例如,os.path.expanduser("~/.config/ConfigManager/constants.cfg")。要查找放置用户数据的位置,您可以使用appdirs module

如果您可以从不同目录运行os.getcwd(),则无法使用返回当前工作目录的ConfigManager.py。由于同样的原因,相对路径"../../..."不起作用。

如果您确定ConfigManager.pyconstants.cfg在文件系统中的相对位置不会发生变化:

import inspect
import os
import sys

def get_my_path():
    try:
        filename = __file__ # where we were when the module was loaded
    except NameError: # fallback
        filename = inspect.getsourcefile(get_my_path)
    return os.path.realpath(filename)

# path to ConfigManager.py
cm_path = get_my_path()
# go 6 directory levels up
sp_path = reduce(lambda x, f: f(x), [os.path.dirname]*6, cm_path)
constants_path = os.path.join(sp_path, "conf", "constants.cfg")

答案 1 :(得分:1)

如果你在项目树的根目录中有一些模块,请说config_loader.py看起来像这样:

import os

def get_config_path():
    relative_path = 'conf/constants.cfg'
    current_dir = os.getcwd()
    return os.join(current_dir, relative_path)

然后在ConfigManager.py或任何其他需要配置的模块中:

import config_loader

file_path = config_loader.get_config_path()
config_file = open(file_path)

您甚至可以让config_loader.py返回配置文件。

答案 2 :(得分:0)

您可以在 Python 3.0 +

中使用 pathlib

这将获取 SampleProject 文件夹中包含的任何文件的路径 跨不同的平台

from pathlib import Path
def get_file(path):
    """
    returns the absolute path of a file
    :var
    str path
        the file path within the working dir
    :returns
    PureWindowsPath or PurePosixPath object
        type depends on the operating system in use
    """
    def get_project_root() -> Path:
    """Returns project root folder."""
    return Path(__file__).parent.parent

    return get_project_root().joinpath(path)

然后只需使用 file_path 作为参数来调用该函数:

filePath = get_file('com/python/example/source/utils/configManager.py')

然后执行通常的步骤:

while open(filePath) as f:
    <DO YOUR THING>