关于 Python 中的文件 io

Regarding file io in Python

我错了,输入了以下代码:

f = open('\TestFiles\'sample.txt', 'w')
f.write('I just wrote this line')
f.close()

我 运行 这段代码,尽管我错误地输入了上面的代码,但它是一个有效的代码,因为第二个反斜杠忽略了单引号和我应该得​​到的,据我所知是我的项目文件夹中名为“\TestFiles'sample”的 .txt 文件。但是,当我导航到项目文件夹时,我在那里找不到文件。

但是,如果我用不同的文件名做同样的事情。喜欢,

f = open('sample1.txt', 'w')
f.write('test')
f.close()

我发现在我的文件夹中创建了 'sample.txt' 文件。尽管据我所知第一个代码是有效的,但文件没有被创建的原因是什么?

还有没有办法提及相对于我的项目文件夹的文件而不是提及文件的绝对路径? (例如,我想在我的项目文件夹中名为 'TestFiles' 的文件夹中创建一个名为 'sample.txt' 的文件。因此,如果不提及 TestFiles 文件夹的绝对路径,是否可以提及 TestFiles 文件夹的路径打开文件时相对于 Python 中的项目文件夹?)

我是Python的初学者,希望有人能帮助我。

谢谢。

您要查找的是 relative paths,长话短说,如果您想在项目文件夹内的文件夹 'TestFiles' 中创建一个名为 'sample.txt' 的文件,您可以做:

import os

f = open(os.path.join('TestFiles', 'sample1.txt'), 'w')
f.write('test')
f.close()

或使用更新的 pathlib 模块:

from pathlib import Path

f = open(Path('TestFiles', 'sample1.txt'), 'w')
f.write('test')
f.close()

但是你需要记住,这取决于你从哪里开始你的 Python 解释器(这可能是你无法在你的项目文件夹中找到“\TestFiles'sample”的原因,它是在别处创建),为确保一切正常,您可以改为执行以下操作:

from pathlib import Path

sample_path = Path(Path(__file__).parent, 'TestFiles', 'sample1.txt')

with open(sample_path, "w") as f:
    f.write('test')

通过使用[上下文管理器]{https://book.pythontips.com/en/latest/context_managers.html},您可以避免使用 f.close()

由于我是 运行 vscode 中的第一个代码示例,我收到了警告 Anomalous backslash in string: '\T'. String constant might be missing an r prefix. 当我 运行 文件时,它也在创建一个名为 \TestFiles'sample.txt 的文件。它是在 .py 文件所在的同一目录中创建的。

现在,如果你的工作树是这样的:

project_folder
    -testfiles
        -sample.txt
    -something.py

那你就可以说:open("testfiles//hello.txt")

希望对您有所帮助。

创建文件时,您可以指定绝对文件名或相对文件名。 如果文件路径以“\”(在 Win 上)或“/”开头,它将是绝对路径。因此,在您的第一种情况下,您指定了一个绝对路径,实际上是:

from pathlib import Path

Path('\Testfile\'sample.txt').absolute()

WindowsPath("C:/Testfile'sample.txt")

每当您 运行 python 中的某些代码时,将生成的相对路径将由您的当前文件夹组成,该文件夹是您启动 python 的文件夹口译员,你可以检查:

import os
os.getcwd()

和你之后添加的相对路径,所以如果你指定:

Path('Testfiles\sample.txt').absolute()

WindowsPath('C:/Users/user/Testfiles/sample.txt')

一般我建议你使用pathlib来处理路径。这使它更安全和跨平台。例如,假设您的股票在:

project
  src
    script.py
  testfiles

并且您想 store/read project/testfiles 中的文件。您可以做的是使用 __file__ 获取 script.py 的路径并构建 project/testfiles

的路径
from pathlib import Path
src_path = Path(__file__)
testfiles_path = src_path.parent / 'testfiles'
sample_fname = testfiles_path / 'sample.txt'
with sample_fname.open('w') as f:
    f.write('yo')