当前位置: 首页>>代码示例>>Python>>正文


Python usb.core方法代码示例

本文整理汇总了Python中usb.core方法的典型用法代码示例。如果您正苦于以下问题:Python usb.core方法的具体用法?Python usb.core怎么用?Python usb.core使用的例子?那么恭喜您, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在usb的用法示例。


在下文中一共展示了usb.core方法的14个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的Python代码示例。

示例1: _find_devices

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def _find_devices():
    """
    Returns a list of CrazyRadio devices currently connected to the computer
    """
    ret = []

    if pyusb1:
        dev = usb.core.find(idVendor=0x1915, idProduct=0x7777, find_all=1, backend=pyusb_backend)
        if dev is not None:
            ret = dev
    else:
        busses = usb.busses()
        for bus in busses:
            for device in bus.devices:
                if device.idVendor == CRADIO_VID:
                    if device.idProduct == CRADIO_PID:
                        ret += [device, ]

    return ret 
开发者ID:omwdunkley,项目名称:crazyflieROS,代码行数:21,代码来源:crazyradio.py

示例2: configured

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def configured(self, configuration):
        """
        Callback that handles when the target device becomes configured.
        If you're using the standard filters, this will be called automatically;
        if not, you'll have to call it once you know the device has been configured.

        configuration: The configuration to be applied.
        """

        # Gather the configuration's endpoints for easy access, later...
        self.endpoints = {}
        for interface in configuration.interfaces:
            for endpoint in interface.endpoints:
                self.endpoints[endpoint.number] = endpoint

        # ... and pass our configuration on to the core device.
        self.maxusb_app.configured(configuration)
        configuration.set_device(self) 
开发者ID:usb-tools,项目名称:Facedancer,代码行数:20,代码来源:USBProxy.py

示例3: _find_devices

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def _find_devices(serial=None):
    """
    Returns a list of CrazyRadio devices currently connected to the computer
    """
    ret = []

    if pyusb1:
        for d in usb.core.find(idVendor=0x1915, idProduct=0x7777, find_all=1,
                               backend=pyusb_backend):
            if serial is not None and serial == d.serial_number:
                return d
            ret.append(d)
    else:
        busses = usb.busses()
        for bus in busses:
            for device in bus.devices:
                if device.idVendor == CRADIO_VID:
                    if device.idProduct == CRADIO_PID:
                        if serial == device.serial_number:
                            return device
                        ret += [device, ]

    return ret 
开发者ID:bitcraze,项目名称:crazyflie-lib-python,代码行数:25,代码来源:crazyradio.py

示例4: _find_devices

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def _find_devices():
    """
    Returns a list of CrazyRadio devices currently connected to the computer
    """
    ret = []

    logger.info('Looking for devices....')

    if pyusb1:
        for d in usb.core.find(idVendor=USB_VID, idProduct=USB_PID, find_all=1,
                               backend=pyusb_backend):
            if d.manufacturer == 'Bitcraze AB':
                ret.append(d)
    else:
        busses = usb.busses()
        for bus in busses:
            for device in bus.devices:
                if device.idVendor == USB_VID:
                    if device.idProduct == USB_PID:
                        ret += [device, ]

    return ret 
开发者ID:bitcraze,项目名称:crazyflie-lib-python,代码行数:24,代码来源:cfusb.py

示例5: _hook

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def _hook(self):
        try:
            self.dev = usb.core.find(idVendor=VENDOR_ID, idProduct=PRODUCT_ID)
        except Exception as e:
            if self.verbose:
                traceback.print_exc()
                print(e)
            raise Exception("USB error!")
        if self.dev is None:
            raise Exception("Could not hook dell monitor, please verify connection!")
        if self.verbose:
            print("USB handle:")
            print(self.dev)
        # Default kernel driver sometimes hooks it first
        if self.dev.is_kernel_driver_active(0):
            self.dev.detach_kernel_driver(0) 
开发者ID:RedBalloonShenanigans,项目名称:MonitorDarkly,代码行数:18,代码来源:protocol.py

示例6: __init__

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def __init__(self, maxusb_app, verbose=0, index=0, quirks=[], scheduler=None, **kwargs):
        """
        Sets up a new USBProxy instance.
        """

        # Open a connection to the proxied device...
        usb_devices = list(usb.core.find(find_all=True, **kwargs))
        if len(usb_devices) <= index:
            raise DeviceNotFoundError("Could not find device to proxy!")
        self.libusb_device = usb_devices[index]


        try:
            interfaces = self.libusb_device.get_active_configuration().interfaces()
        except:
            print("-- could not read device interfaces --")
            interfaces = []


        # If possible, detach the device from any kernel-side driver that may prevent us
        # from communicating with it.
        for interface in interfaces:
            try:
                self.libusb_device.detach_kernel_driver(interface.bInterfaceNumber)
            except usb.core.USBError as e:
                if e.errno != errno.ENOENT:
                    print("-- could not detach interface {}--".format(interface))

        # ... and initialize our base class with a minimal set of parameters.
        # We'll do almost nothing, as we'll be proxying packets by default to the device.
        USBDevice.__init__(self, maxusb_app, verbose=verbose, quirks=quirks, scheduler=scheduler) 
开发者ID:usb-tools,项目名称:Facedancer,代码行数:33,代码来源:USBProxy.py

示例7: get_controller

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def get_controller():
        """ Go through the supported_controllers list in AlienFXController
        and see if any of them exist on the USB bus, Return the first one
        found, or None if none are found.
        """
        for controller in AlienFXController.supported_controllers:
            vid = controller.vendor_id
            pid = controller.product_id
            dev = usb.core.find(idVendor=vid, idProduct=pid)
            if dev is not None:
                return controller
        return None 
开发者ID:trackmastersteve,项目名称:alienfx,代码行数:14,代码来源:prober.py

示例8: find_controllers

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def find_controllers(vendor):
        """Go through the usb-bus and find devices(and most likely controllers) by vendor-id"""
        vid = int(vendor, 16)  # Convert our given Vendor-HEX-String to an equivalent intenger

        devs = usb.core.find(find_all=1)  # All USB devices
        devices = []  # List of found AFX-Controllers
        for dev in devs:
            if dev is not None:
                if dev.idVendor is not None:
                    if dev.idVendor == vid:
                        devices.append(dev)
        if len(devices):
            return devices
        return None 
开发者ID:trackmastersteve,项目名称:alienfx,代码行数:16,代码来源:prober.py

示例9: get_serial

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def get_serial(self):
        # The signature for get_string has changed between versions to 1.0.0b1,
        # 1.0.0b2 and 1.0.0. Try the old signature first, if that fails try
        # the newer one.
        try:
            return usb.util.get_string(self.dev, 255, self.dev.iSerialNumber)
        except (usb.core.USBError, ValueError):
            return usb.util.get_string(self.dev, self.dev.iSerialNumber) 
开发者ID:bitcraze,项目名称:crazyflie-lib-python,代码行数:10,代码来源:cfusb.py

示例10: __init__

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def __init__(self):
            """
            Constructor.

            :return: Instance object.
            """
            import usb as usb
            import usb.core as usb_core

            self.usb = usb
            self.usb_core = usb_core
            self.ep_out_0 = None
            self.ep_in_0 = None
            self.usb_device = None
        # end-of-method __init__ 
开发者ID:rsc-dev,项目名称:loophole,代码行数:17,代码来源:__init__.py

示例11: reset

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def reset(self):
        """
        Resets the target

        returns: True on success
        """

        self.log.debug("Resetting target")

        # Reset JTAG
        data = '3000000030000000'
        self._ep_out.write(bytearray.fromhex(data))

        # Enable the FlashPatch module : breakpoint
        # FlashPatch Control Register (FP_CTRL)
        self.write_memory(0xE0002000, 4, 3)

        # Now we need to retrive the number of supported hw bkpt from the core
        FP_CTRL = self.read_memory(0xE0002000)

        # bits [7:4] are number of code slots field
        self._bkpt_limit = (FP_CTRL >> 4) & 0xF 
        self.log.debug(("Number of available breakpoints read %d") % (self._bkpt_limit))
        if self._bkpt_limit == 0:
            raise Exception("No hardware breakpoint found")

        # Watchpoint are located @ bits [11:8]
        #w = (FP_CTRL >> 8) & 0xF

        # Set SYSRESETREG bit at 1 in AIRCR register to request a system reset.
        # (system reset of all major components except for debug)
        self.write_memory(0xE000ED0C, 4, ((0xFA05 << 16) | (1 << 2)))

        return True 
开发者ID:avatartwo,项目名称:avatar2,代码行数:36,代码来源:inception.py

示例12: stop

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def stop(self):
        """
        Stops the execution of the target

        :returns: True on success
        """

        self.log.debug("Attempted to stop execution of the target.")
        #DHCSR = self.read_memory(0xE000EDF0, 4)

        # Set C_HALT and C_DEBUGEN bits at 1 in DHCSR register
        self.write_memory(0xE000EDF0, 4, (0xA05F << 16) | 0b11)
        self._debug_enabled = True

        # Check the core is halted 
        DHCSR = self.read_memory(0xE000EDF0, 4)
        if not ((DHCSR >> 1) & 1):
            self.log.warning("Core not halted after stop")
        # Check the core acknowledges by reading S_HALT bit in DHCSR
        if not ((DHCSR >> 17) & 1):
            self.log.warning("Core not in debug state after stop")
            self._debug_enabled = False

        avatar_msg = UpdateStateMessage(self._origin, TargetStates.STOPPED)
        self._fast_queue.put(avatar_msg)

        return True 
开发者ID:avatartwo,项目名称:avatar2,代码行数:29,代码来源:inception.py

示例13: step

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def step(self):
        """
        Steps one instruction

        :returns:  True on success
        """

        self.log.debug("Attempted to step on the target.")

        # Enable Debug mode if not activated
        if not self._debug_enabled:
            self.write_memory(0xE000EDF0, 4, ((0xA05F << 16) | 0b11))
            self._debug_enabled = True

        # Check the core acknowledges by reading S_HALT bit in DHCSR
        DHCSR = self.read_memory(0xE000EDF0, 4)
        if not ((DHCSR >> 17) & 1):
            self.log.warning("Core is not in debug state before stepping")

        # Execute a step by setting the C_STEP bit to 1 in DHCSR register
        self.write_memory(0xE000EDF0, 4, (0xA05F << 16) | 0b101)

        avatar_msg = UpdateStateMessage(self._origin, TargetStates.RUNNING)
        self._fast_queue.put(avatar_msg)

        # Check the core is halted 
        DHCSR = self.read_memory(0xE000EDF0, 4)
        if not ((DHCSR >> 1) & 1):
            self.log.warning("Core is not halted after single step")

        avatar_msg = UpdateStateMessage(self._origin, TargetStates.STOPPED)
        self._fast_queue.put(avatar_msg)

        return True 
开发者ID:avatartwo,项目名称:avatar2,代码行数:36,代码来源:inception.py

示例14: _proxy_in_transfer

# 需要导入模块: import usb [as 别名]
# 或者: from usb import core [as 别名]
def _proxy_in_transfer(self, endpoint):
        """
        Proxy OUT requests, which sends a request from the target device to the
        victim, at the target's request.
        """

        ep_num = endpoint.number

        # Filter the "IN token" generated by the target device. We can use this
        # to e.g. change the endpoint before proxying to the target device, or
        # to absorb a packet before it's proxied.
        for f in self.filter_list:
            ep_num = f.filter_in_token(ep_num)

        if ep_num is None:
            return

        # Read the target data from the target device.
        endpoint_address = ep_num | 0x80


        # Quick hack to improve responsiveness on interrupt endpoints.
        try:
            if endpoint.interval:
                timeout = endpoint.interval
            else:
                timeout = None

            data = self.libusb_device.read(endpoint_address, endpoint.max_packet_size, timeout=timeout)
        except usb.core.USBError as e:
            if e.errno != errno.ETIMEDOUT:
                raise e
            else:
                return


        # Run the data through all of our filters.
        for f in self.filter_list:
            ep_num, data = f.filter_in(endpoint.number, data)

        # If our data wasn't filtered out, transmit it to the target!
        if data:
            endpoint.send_packet(data) 
开发者ID:usb-tools,项目名称:Facedancer,代码行数:45,代码来源:USBProxy.py


注:本文中的usb.core方法示例由纯净天空整理自Github/MSDocs等开源代码及文档管理平台,相关代码片段筛选自各路编程大神贡献的开源项目,源码版权归原作者所有,传播和使用请参考对应项目的License;未经允许,请勿转载。