0

我需要将所有连接的蓝牙设备连接到我的计算机。我找到了图书馆,但我无法连接设备

简单查询示例:

    import bluetooth

    nearby_devices = bluetooth.discover_devices(lookup_names=True)
    print("Found {} devices.".format(len(nearby_devices)))

    for addr, name in nearby_devices:
        print("  {} - {}".format(addr, name))
4

2 回答 2

2

问题中的代码片段是扫描新设备,而不是报告连接的设备。

PyBluez 库未在积极开发中,因此我倾向于避免使用它。

BlueZ(Linux 上的蓝牙堆栈)通过 D-Bus 提供了一组 API,可通过 Python 使用 D-Bus 绑定进行访问。在大多数情况下,我更喜欢pydbus

BlueZ API 记录在:

https://git.kernel.org/pub/scm/bluetooth/bluez.git/tree/doc/adapter-api.txt

https://git.kernel.org/pub/scm/bluetooth/bluez.git/tree/doc/device-api.txt

作为如何在 Python3 中实现此功能的示例:

import pydbus

bus = pydbus.SystemBus()

adapter = bus.get('org.bluez', '/org/bluez/hci0')
mngr = bus.get('org.bluez', '/')

def list_connected_devices():
    mngd_objs = mngr.GetManagedObjects()
    for path in mngd_objs:
        con_state = mngd_objs[path].get('org.bluez.Device1', {}).get('Connected', False)
        if con_state:
            addr = mngd_objs[path].get('org.bluez.Device1', {}).get('Address')
            name = mngd_objs[path].get('org.bluez.Device1', {}).get('Name')
            print(f'Device {name} [{addr}] is connected')

if __name__ == '__main__':
    list_connected_devices()
于 2020-08-10T06:09:31.597 回答
0

我找到了一个解决方案,但它使用终端。

使用前需要安装依赖

蓝兹

代码

def get_connected_devices():
    bounded_devices = check_output(['bt-device', '-l']).decode().split("\n")[1:-1]
    connected_devices = list()
    for device in bounded_devices:
        name = device[:device.rfind(' ')]
        #mac_address regex
        regex = '([0-9A-Fa-f]{2}[:-]){5}([0-9A-Fa-f]{2})|([0-9a-fA-F]{4}\\.[0-9a-fA-F]{4}\\.[0-9a-fA-F]{4})$'
        mac_address = re.search(regex, device).group(0)

        device_info = check_output(['bt-device', '-i', mac_address]).decode()
        connection_state = device_info[device_info.find('Connected: ') + len('Connected: ')]
        if connection_state == '1':
            connected_devices.append({"name": name, "address": mac_address})
    return connected_devices
于 2020-08-10T05:37:44.107 回答