如何在 python 内部执行一个简单的“ chmod + x”?

我想从一个可执行的 Python 脚本中创建一个文件。

import os
import stat
os.chmod('somefile', stat.S_IEXEC)

看起来 os.chmod不像 unixchmod那样“添加”权限。最后一行被注释掉后,文件模式为 -rw-r--r--,没有被注释掉时,文件模式为 ---x------。我怎样才能只添加 u+x标志,同时保持其余的模式完好无损?

125664 次浏览

使用 os.stat()获取当前权限,使用 |将位或在一起,并使用 os.chmod()设置更新的权限。

例如:

import os
import stat


st = os.stat('somefile')
os.chmod('somefile', st.st_mode | stat.S_IEXEC)

对于生成可执行文件(例如脚本)的工具,下面的代码可能会有所帮助:

def make_executable(path):
mode = os.stat(path).st_mode
mode |= (mode & 0o444) >> 2    # copy R bits to X
os.chmod(path, mode)

这使得它(或多或少)尊重在创建文件时生效的 umask: 可执行文件仅为那些可读的文件设置。

用法:

path = 'foo.sh'
with open(path, 'w') as f:           # umask in effect when file is created
f.write('#!/bin/sh\n')
f.write('echo "hello world"\n')


make_executable(path)

你也可以这么做

>>> import os
>>> st = os.stat("hello.txt")

当前文件列表

$ ls -l hello.txt
-rw-r--r--  1 morrison  staff  17 Jan 13  2014 hello.txt

现在这样做。

>>> os.chmod("hello.txt", st.st_mode | 0o111)

你们会在航站楼看到这个。

ls -l hello.txt
-rwxr-xr-x  1 morrison  staff  17 Jan 13  2014 hello.txt

您可以按位或用0o111使所有可执行文件,0o222使所有可写文件,0o444使所有可读文件。

如果您知道您想要的权限,那么下面的示例可能是保持简单的方法。

巨蟒2:

os.chmod("/somedir/somefile", 0775)

巨蟒3:

os.chmod("/somedir/somefile", 0o775)

兼容任何一种(八进制转换) :

os.chmod("/somedir/somefile", 509)

参考 权限示例

在 python3中:

import os
os.chmod("somefile", 0o664)

记住添加 0o前缀,因为权限被设置为八进制整数,并且 Python 自动将任何前导零的整数视为八进制整数。否则,您实际上传递的是 os.chmod("somefile", 1230),它是 664的八进制。

chmod +x一样尊重 umask

man chmod说,如果 augo没有给出:

chmod +x mypath

然后使用 a,但使用 umask:

一组字母 ugoa 控制用户对文件的访问权限将被更改: 拥有该文件的用户(u)、文件组中的其他用户(g)、文件组外的其他用户(o)或所有用户(a)。如果这些都没有给出,那么效果就好像(a)给出了 但是在 umask 中设置的位不受影响。

这样做的目的是为了不会意外地给出太多权限。Umask 决定一个新文件的默认权限,例如,当 umask 为 0077时,touch newfile.txt为当前用户生成权限 rw,因为77会排除 group 和 other (但是默认情况下触摸不会给出 x)。同样地,由于掩码的 0011部分,chmod +x只会为用户添加 +x,忽略组和其他: 你需要 chmod o+xchmod g+xchmod go+xchmod a+x来强制设置它们。

下面是一个完全模拟这种行为的版本:

#!/usr/bin/env python3


import os
import stat


def get_umask():
umask = os.umask(0)
os.umask(umask)
return umask


def chmod_plus_x(path):
os.chmod(
path,
os.stat(path).st_mode |
(
(
stat.S_IXUSR |
stat.S_IXGRP |
stat.S_IXOTH
)
& ~get_umask()
)
)


chmod_plus_x('.gitignore')

参见: 如何在 Python 中获得默认的文件权限?

在 Ubuntu 16.04,Python 3.5.2中测试。

如果您正在使用 Python 3.4 + ,则可以使用标准库的方便的 Pathlib

它的 路径类具有内置的 Chmod立刻方法。

from pathlib import Path
import stat




f = Path("/path/to/file.txt")
f.chmod(f.stat().st_mode | stat.S_IEXEC)

我们可以使用 os.system()在 python 中直接调用 chmod +x命令

import os
os.system("chmod +x somefile")