在Python

时间:2016-05-04 15:33:27

标签: python python-2.7 system-calls

我想在Python中创建syscall并且函数不在libc中,有没有办法在Python中实现?

更具体地说,我想致电getdents,其联机帮助页

  

注意:这些系统调用没有glibc包装器;

我在网络上找到的所有现有相关解决方案都使用ctypeslibc.soexample

请不要问我为什么要直接使用getdents,我有一个非常具体的理由这样做,在这个问题上讨论会让人分心。谢谢。

1 个答案:

答案 0 :(得分:17)

Libc公开了一个函数来调用“自定义”系统调用:long syscall(long number, ...);

  

syscall()是一个调用系统调用的小型库函数          其汇编语言接口具有指定的number          指定的参数。例如,使用syscall()非常有用          在调用C中没有包装函数的系统调用时          库。

只需像任何外来函数一样访问此函数:

import ctypes

libc = ctypes.CDLL(None)
syscall = libc.syscall

e.g。

syscall(39)  # 39 = getpid, but you get the gist

或者翻译手册页中的示例:

import os, ctypes

off_t = ctypes.c_long  # YMMV
__NR_getdents = 78  # YMMV

class linux_dirent(ctypes.Structure):
    _fields_ = [
        ('d_ino', ctypes.c_long),
        ('d_off', off_t),
        ('d_reclen', ctypes.c_ushort),
        ('d_name', ctypes.c_char)
    ]

_getdents = ctypes.CDLL(None).syscall
_getdents.restype = ctypes.c_int
_getdents.argtypes = ctypes.c_long, ctypes.c_uint, ctypes.POINTER(ctypes.c_char), ctypes.c_uint

fd = os.open('/tmp/', os.O_RDONLY | os.O_DIRECTORY)

buf = ctypes.ARRAY(ctypes.c_char, 1024)()
while True:
    nread = _getdents(__NR_getdents, fd, buf, len(buf))
    if nread == -1:
        raise OSError('getdents')
    elif nread == 0:
        break

    pos = 0
    while pos < nread:
        d = linux_dirent.from_buffer(buf, pos)

        name = buf[pos + linux_dirent.d_name.offset : pos + d.d_reclen]
        name = name[:name.index('\0')]
        print 'name:', name

        pos += d.d_reclen