在 python 中,我有变量base_dir
和filename
. 我想将它们连接起来以获得fullpath
. 但是在 windows 下我应该使用\
and 用于 POSIX /
。
fullpath = "%s/%s" % ( base_dir, filename ) # for Linux
我怎样才能使这个平台独立?
您想为此使用os.path.join()。
使用它而不是字符串连接等的优势在于它知道各种操作系统特定的问题,例如路径分隔符。例子:
import os
在Windows 7下:
base_dir = r'c:\bla\bing'
filename = r'data.txt'
os.path.join(base_dir, filename)
'c:\\bla\\bing\\data.txt'
在Linux下:
base_dir = '/bla/bing'
filename = 'data.txt'
os.path.join(base_dir, filename)
'/bla/bing/data.txt'
os模块包含许多用于目录、路径操作和查找操作系统特定信息的有用方法,例如通过os.sep在路径中使用的分隔符
在这里挖掘一个老问题,但在 Python 3.4+ 上,您可以使用pathlib 运算符:
from pathlib import Path
# evaluates to ./src/cool-code/coolest-code.py on Mac
concatenated_path = Path("./src") / "cool-code\\coolest-code.py"
os.path.join()
与您有幸运行最新版本的 Python相比,它可能更具可读性。但是,如果您必须在僵化或遗留环境中运行代码,您也需要权衡与旧版本 Python 的兼容性。
import os
path = os.path.join("foo", "bar")
path = os.path.join("foo", "bar", "alice", "bob") # More than 2 params allowed.
我为此制作了一个助手类:
import os
class u(str):
"""
Class to deal with urls concat.
"""
def __init__(self, url):
self.url = str(url)
def __add__(self, other):
if isinstance(other, u):
return u(os.path.join(self.url, other.url))
else:
return u(os.path.join(self.url, other))
def __unicode__(self):
return self.url
def __repr__(self):
return self.url
用法是:
a = u("http://some/path")
b = a + "and/some/another/path" # http://some/path/and/some/another/path
谢谢你。对于使用 fbs 或 pyinstaller 和冻结应用程序看到此内容的任何其他人。
我可以使用以下现在完美的方法。
target_db = os.path.join(os.path.abspath(os.path.dirname(sys.argv[0])), "sqlite_example.db")
我之前正在做这种笨拙的事情,这显然不理想。
if platform == 'Windows':
target_db = (os.path.abspath(os.path.dirname(sys.argv[0])) + "\\" + "sqlite_example.db")
if platform == 'Linux' or 'MAC':
target_db = (os.path.abspath(os.path.dirname(sys.argv[0])) + "/" + "sqlite_example.db")
target_db_path = target_db
print(target_db_path)