source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, *args): self._stop_blink() if args: for index in args: self[index].on() else: super(LEDBoard, self).on()
on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self._stop_blink()\n if args:\n for index in args:\n self[index].on()\n else:\n super(LEDBoard, self).on()\n", "role": "user" }, { "content": "on", "role": "assistant" } ]
def x(self, *args): self._stop_blink() if args: for index in args: self[index].off() else: super(LEDBoard, self).off()
off
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self._stop_blink()\n if args:\n for index in args:\n self[index].off()\n else:\n super(LEDBoard, self).off()\n", "role": "user" }, { "content": "off", "role": "assistant" } ]
def x(self, *args): self._stop_blink() if args: for index in args: self[index].toggle() else: super(LEDBoard, self).toggle()
toggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self._stop_blink()\n if args:\n for index in args:\n self[index].toggle()\n else:\n super(LEDBoard, self).toggle()\n", "role": "user" }, { "content": "toggle", "role": "assistant" } ]
def x(self, fade_in_time=1, fade_out_time=1, n=None, background=True): on_time = off_time = 0 self.blink(on_time, off_time, fade_in_time, fade_out_time, n, background)
pulse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fade_in_time=1, fade_out_time=1, n=None, background=True):\n on_time = off_time = 0\n self.blink(on_time, off_time, fade_in_time, fade_out_time, n, background)\n", "role": "user" }, { "content": "pulse", "role": "assistant" } ]
def x(self): result = sum(led.value for led in self) if self[0].value < self[-1].value: result = -result return result / len(self)
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = sum(led.value for led in self)\n if self[0].value < self[-1].value:\n result = -result\n return result / len(self)\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): lit_value = self.value * len(self) if not isinstance(self[0], PWMLED): lit_value = int(lit_value) return lit_value
lit_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n lit_value = self.value * len(self)\n if not isinstance(self[0], PWMLED):\n lit_value = int(lit_value)\n return lit_value\n", "role": "user" }, { "content": "lit_count", "role": "assistant" } ]
def x(self, speed=1, **kwargs): curve_left = kwargs.pop('curve_left', 0) curve_right = kwargs.pop('curve_right', 0) if kwargs: raise TypeError('unexpected argument %s' % kwargs.popitem()[0]) if not 0 <= curve_left <= 1: raise ValueError('curve_left must be between 0 and 1') if not 0 <= curve_right <= 1: raise ValueError('curve_right must be between 0 and 1') if curve_left != 0 and curve_right != 0: raise ValueError( "curve_left and curve_right can't be used at the same time") self.left_motor.forward(speed * (1 - curve_left)) self.right_motor.forward(speed * (1 - curve_right))
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1, **kwargs):\n curve_left = kwargs.pop('curve_left', 0)\n curve_right = kwargs.pop('curve_right', 0)\n if kwargs:\n raise TypeError('unexpected argument %s' % kwargs.popitem()[0])\n if not 0 <= curve_left <= 1:\n raise ValueError('curve_left must be between 0 and 1')\n if not 0 <= curve_right <= 1:\n raise ValueError('curve_right must be between 0 and 1')\n if curve_left != 0 and curve_right != 0:\n raise ValueError(\n \"curve_left and curve_right can't be used at the same time\")\n self.left_motor.forward(speed * (1 - curve_left))\n self.right_motor.forward(speed * (1 - curve_right))\n", "role": "user" }, { "content": "forward", "role": "assistant" } ]
def x(self, speed=1): self.right_motor.forward(speed) self.left_motor.backward(speed)
left
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n self.right_motor.forward(speed)\n self.left_motor.backward(speed)\n", "role": "user" }, { "content": "left", "role": "assistant" } ]
def x(self, speed=1): self.left_motor.forward(speed) self.right_motor.backward(speed)
right
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n self.left_motor.forward(speed)\n self.right_motor.backward(speed)\n", "role": "user" }, { "content": "right", "role": "assistant" } ]
def x(self, speed=1): self.left_motor.forward(speed) self.right_motor.forward(speed)
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n self.left_motor.forward(speed)\n self.right_motor.forward(speed)\n", "role": "user" }, { "content": "forward", "role": "assistant" } ]
def x(self, speed=1): self.left_motor.backward(speed) self.right_motor.backward(speed)
backward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n self.left_motor.backward(speed)\n self.right_motor.backward(speed)\n", "role": "user" }, { "content": "backward", "role": "assistant" } ]
def x(self): self.left_motor.value = -self.left_motor.value self.right_motor.value = -self.right_motor.value
reverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.left_motor.value = -self.left_motor.value\n self.right_motor.value = -self.right_motor.value\n", "role": "user" }, { "content": "reverse", "role": "assistant" } ]
def x(self, requester, *pins): with self._res_lock: for pin in pins: for reserver_ref in self._reservations[pin]: reserver = reserver_ref() if reserver is not None and requester._conflicts_with(reserver ): raise GPIOPinInUse('pin %s is already in use by %r' % ( pin, reserver)) self._reservations[pin].append(ref(requester))
reserve_pins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requester, *pins):\n with self._res_lock:\n for pin in pins:\n for reserver_ref in self._reservations[pin]:\n reserver = reserver_ref()\n if reserver is not None and requester._conflicts_with(reserver\n ):\n raise GPIOPinInUse('pin %s is already in use by %r' % (\n pin, reserver))\n self._reservations[pin].append(ref(requester))\n", "role": "user" }, { "content": "reserve_pins", "role": "assistant" } ]
def x(self, reserver, *pins): with self._res_lock: for pin in pins: self._reservations[pin] = [ref for ref in self._reservations[ pin] if ref() not in (reserver, None)]
release_pins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reserver, *pins):\n with self._res_lock:\n for pin in pins:\n self._reservations[pin] = [ref for ref in self._reservations[\n pin] if ref() not in (reserver, None)]\n", "role": "user" }, { "content": "release_pins", "role": "assistant" } ]
def x(self, spec, pin_class=None, **kwargs): if pin_class is None: pin_class = self.pin_class n = self.pi_info.to_gpio(spec) try: pin = self.pins[n] except KeyError: pin = pin_class(self, n, **kwargs) self.pins[n] = pin else: if issubclass(pin_class, MockPWMPin) != isinstance(pin, MockPWMPin): raise ValueError('pin %d is already in use as a %s' % (n, pin. __class__.__name__)) return pin
pin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec, pin_class=None, **kwargs):\n if pin_class is None:\n pin_class = self.pin_class\n n = self.pi_info.to_gpio(spec)\n try:\n pin = self.pins[n]\n except KeyError:\n pin = pin_class(self, n, **kwargs)\n self.pins[n] = pin\n else:\n if issubclass(pin_class, MockPWMPin) != isinstance(pin, MockPWMPin):\n raise ValueError('pin %d is already in use as a %s' % (n, pin.\n __class__.__name__))\n return pin\n", "role": "user" }, { "content": "pin", "role": "assistant" } ]
def x(revision=None): if revision is None: if Device.pin_factory is None: Device.pin_factory = Device._default_pin_factory() result = Device.pin_factory.pi_info if result is None: raise PinUnknownPi( 'The default pin_factory is not attached to a Pi') else: return result else: if isinstance(revision, bytes): revision = revision.decode('ascii') if isinstance(revision, str): revision = int(revision, base=16) else: revision = int(revision) return PiBoardInfo.from_revision(revision)
pi_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(revision=None):\n if revision is None:\n if Device.pin_factory is None:\n Device.pin_factory = Device._default_pin_factory()\n result = Device.pin_factory.pi_info\n if result is None:\n raise PinUnknownPi(\n 'The default pin_factory is not attached to a Pi')\n else:\n return result\n else:\n if isinstance(revision, bytes):\n revision = revision.decode('ascii')\n if isinstance(revision, str):\n revision = int(revision, base=16)\n else:\n revision = int(revision)\n return PiBoardInfo.from_revision(revision)\n", "role": "user" }, { "content": "pi_info", "role": "assistant" } ]
def x(self, function): return {(header, pin.number) for header, info in self.headers.items() for pin in info.pins.values() if pin.function == function}
physical_pins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, function):\n return {(header, pin.number) for header, info in self.headers.items() for\n pin in info.pins.values() if pin.function == function}\n", "role": "user" }, { "content": "physical_pins", "role": "assistant" } ]
def x(self, function): result = self.physical_pins(function) if len(result) > 1: raise PinMultiplePins('multiple pins can be used for %s' % function) elif result: return result.pop() else: raise PinNoPins('no pins can be used for %s' % function)
physical_pin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, function):\n result = self.physical_pins(function)\n if len(result) > 1:\n raise PinMultiplePins('multiple pins can be used for %s' % function)\n elif result:\n return result.pop()\n else:\n raise PinNoPins('no pins can be used for %s' % function)\n", "role": "user" }, { "content": "physical_pin", "role": "assistant" } ]
def x(self, function): try: header, number = self.physical_pin(function) except PinNoPins: return False else: return self.headers[header].pins[number].pull_up
pulled_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, function):\n try:\n header, number = self.physical_pin(function)\n except PinNoPins:\n return False\n else:\n return self.headers[header].pins[number].pull_up\n", "role": "user" }, { "content": "pulled_up", "role": "assistant" } ]
def x(self, spec): if isinstance(spec, int): if not 0 <= spec < 54: raise PinInvalidPin( 'invalid GPIO port %d specified (range 0..53) ' % spec) return spec else: if isinstance(spec, bytes): spec = spec.decode('ascii') spec = spec.upper() if spec.isdigit(): return self.to_gpio(int(spec)) if spec.startswith('GPIO') and spec[4:].isdigit(): return self.to_gpio(int(spec[4:])) elif spec.startswith('BCM') and spec[3:].isdigit(): return self.to_gpio(int(spec[3:])) elif spec.startswith('WPI') and spec[3:].isdigit(): main_head = 'P1' if 'P1' in self.headers else 'J8' try: return self.to_gpio({(0): '%s:11' % main_head, (1): '%s:12' % main_head, (2): '%s:13' % main_head, (3): '%s:15' % main_head, (4): '%s:16' % main_head, (5): '%s:18' % main_head, (6): '%s:22' % main_head, (7): '%s:7' % main_head, (8): '%s:3' % main_head, (9): '%s:5' % main_head, (10): '%s:24' % main_head, (11): '%s:26' % main_head, (12): '%s:19' % main_head, (13): '%s:21' % main_head, (14): '%s:23' % main_head, (15): '%s:8' % main_head, (16): '%s:10' % main_head, (17): 'P5:3', (18 ): 'P5:4', (19): 'P5:5', (20): 'P5:6', (21): '%s:29' % main_head, (22): '%s:31' % main_head, (23): '%s:33' % main_head, (24): '%s:35' % main_head, (25): '%s:37' % main_head, (26): '%s:32' % main_head, (27): '%s:36' % main_head, (28): '%s:38' % main_head, (29): '%s:40' % main_head, (30): '%s:27' % main_head, (31): '%s:28' % main_head}[int(spec[3:])]) except KeyError: raise PinInvalidPin('%s is not a valid wiringPi pin' % spec) elif ':' in spec: header, pin = spec.split(':', 1) if pin.isdigit(): try: header = self.headers[header] except KeyError: raise PinInvalidPin('there is no %s header on this Pi' % header) try: function = header.pins[int(pin)].function except KeyError: raise PinInvalidPin('no such pin %s on header %s' % ( pin, header.name)) if function.startswith('GPIO') and function[4:].isdigit(): return self.to_gpio(int(function[4:])) else: raise PinInvalidPin('%s is not a GPIO pin' % spec) elif spec.startswith('BOARD') and spec[5:].isdigit(): main_head = ({'P1', 'J8', 'SODIMM'} & set(self.headers)).pop() return self.to_gpio('%s:%s' % (main_head, spec[5:])) raise PinInvalidPin('%s is not a valid pin spec' % spec)
to_gpio
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec):\n if isinstance(spec, int):\n if not 0 <= spec < 54:\n raise PinInvalidPin(\n 'invalid GPIO port %d specified (range 0..53) ' % spec)\n return spec\n else:\n if isinstance(spec, bytes):\n spec = spec.decode('ascii')\n spec = spec.upper()\n if spec.isdigit():\n return self.to_gpio(int(spec))\n if spec.startswith('GPIO') and spec[4:].isdigit():\n return self.to_gpio(int(spec[4:]))\n elif spec.startswith('BCM') and spec[3:].isdigit():\n return self.to_gpio(int(spec[3:]))\n elif spec.startswith('WPI') and spec[3:].isdigit():\n main_head = 'P1' if 'P1' in self.headers else 'J8'\n try:\n return self.to_gpio({(0): '%s:11' % main_head, (1): '%s:12' %\n main_head, (2): '%s:13' % main_head, (3): '%s:15' %\n main_head, (4): '%s:16' % main_head, (5): '%s:18' %\n main_head, (6): '%s:22' % main_head, (7): '%s:7' %\n main_head, (8): '%s:3' % main_head, (9): '%s:5' %\n main_head, (10): '%s:24' % main_head, (11): '%s:26' %\n main_head, (12): '%s:19' % main_head, (13): '%s:21' %\n main_head, (14): '%s:23' % main_head, (15): '%s:8' %\n main_head, (16): '%s:10' % main_head, (17): 'P5:3', (18\n ): 'P5:4', (19): 'P5:5', (20): 'P5:6', (21): '%s:29' %\n main_head, (22): '%s:31' % main_head, (23): '%s:33' %\n main_head, (24): '%s:35' % main_head, (25): '%s:37' %\n main_head, (26): '%s:32' % main_head, (27): '%s:36' %\n main_head, (28): '%s:38' % main_head, (29): '%s:40' %\n main_head, (30): '%s:27' % main_head, (31): '%s:28' %\n main_head}[int(spec[3:])])\n except KeyError:\n raise PinInvalidPin('%s is not a valid wiringPi pin' % spec)\n elif ':' in spec:\n header, pin = spec.split(':', 1)\n if pin.isdigit():\n try:\n header = self.headers[header]\n except KeyError:\n raise PinInvalidPin('there is no %s header on this Pi' %\n header)\n try:\n function = header.pins[int(pin)].function\n except KeyError:\n raise PinInvalidPin('no such pin %s on header %s' % (\n pin, header.name))\n if function.startswith('GPIO') and function[4:].isdigit():\n return self.to_gpio(int(function[4:]))\n else:\n raise PinInvalidPin('%s is not a GPIO pin' % spec)\n elif spec.startswith('BOARD') and spec[5:].isdigit():\n main_head = ({'P1', 'J8', 'SODIMM'} & set(self.headers)).pop()\n return self.to_gpio('%s:%s' % (main_head, spec[5:]))\n raise PinInvalidPin('%s is not a valid pin spec' % spec)\n", "role": "user" }, { "content": "to_gpio", "role": "assistant" } ]
def x(self, **spi_args): spi_args, kwargs = self._extract_spi_args(**spi_args) shared = 'shared' if kwargs.pop('shared', False) else 'exclusive' if kwargs: raise SPIBadArgs('unrecognized keyword argument %s' % kwargs. popitem()[0]) for port, pins in SPI_HARDWARE_PINS.items(): if all((spi_args['clock_pin'] == pins['clock'], spi_args['mosi_pin' ] == pins['mosi'], spi_args['miso_pin'] == pins['miso'], spi_args['select_pin'] in pins['select'])): try: return self.spi_classes['hardware', shared](self, port=port, device=pins['select'].index(spi_args['select_pin'])) except Exception as e: warnings.warn(SPISoftwareFallback( 'failed to initialize hardware SPI, falling back to software (error was: %s)' % str(e))) break return self.spi_classes['software', shared](self, **spi_args)
spi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **spi_args):\n spi_args, kwargs = self._extract_spi_args(**spi_args)\n shared = 'shared' if kwargs.pop('shared', False) else 'exclusive'\n if kwargs:\n raise SPIBadArgs('unrecognized keyword argument %s' % kwargs.\n popitem()[0])\n for port, pins in SPI_HARDWARE_PINS.items():\n if all((spi_args['clock_pin'] == pins['clock'], spi_args['mosi_pin'\n ] == pins['mosi'], spi_args['miso_pin'] == pins['miso'], \n spi_args['select_pin'] in pins['select'])):\n try:\n return self.spi_classes['hardware', shared](self, port=port,\n device=pins['select'].index(spi_args['select_pin']))\n except Exception as e:\n warnings.warn(SPISoftwareFallback(\n 'failed to initialize hardware SPI, falling back to software (error was: %s)'\n % str(e)))\n break\n return self.spi_classes['software', shared](self, **spi_args)\n", "role": "user" }, { "content": "spi", "role": "assistant" } ]
def x(self, **kwargs): dev_defaults = {'port': 0, 'device': 0} default_hw = SPI_HARDWARE_PINS[dev_defaults['port']] pin_defaults = {'clock_pin': default_hw['clock'], 'mosi_pin': default_hw['mosi'], 'miso_pin': default_hw['miso'], 'select_pin': default_hw['select'][dev_defaults['device']]} spi_args = {key: value for key, value in kwargs.items() if key in pin_defaults or key in dev_defaults} kwargs = {key: value for key, value in kwargs.items() if key not in spi_args} if not spi_args: spi_args = pin_defaults elif set(spi_args) <= set(pin_defaults): spi_args = {key: self.pi_info.to_gpio(spi_args.get(key, default)) for key, default in pin_defaults.items()} elif set(spi_args) <= set(dev_defaults): spi_args = {key: spi_args.get(key, default) for key, default in dev_defaults.items()} try: selected_hw = SPI_HARDWARE_PINS[spi_args['port']] except KeyError: raise SPIBadArgs('port %d is not a valid SPI port' % spi_args[ 'port']) try: selected_hw['select'][spi_args['device']] except IndexError: raise SPIBadArgs('device must be in the range 0..%d' % len( selected_hw['select'])) spi_args = {key: (value if key != 'select_pin' else selected_hw[ 'select'][spi_args['device']]) for key, value in pin_defaults. items()} else: raise SPIBadArgs( 'you must either specify port and device, or clock_pin, mosi_pin, miso_pin, and select_pin; combinations of the two schemes (e.g. port and clock_pin) are not permitted' ) return spi_args, kwargs
extract_spi_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n dev_defaults = {'port': 0, 'device': 0}\n default_hw = SPI_HARDWARE_PINS[dev_defaults['port']]\n pin_defaults = {'clock_pin': default_hw['clock'], 'mosi_pin':\n default_hw['mosi'], 'miso_pin': default_hw['miso'], 'select_pin':\n default_hw['select'][dev_defaults['device']]}\n spi_args = {key: value for key, value in kwargs.items() if key in\n pin_defaults or key in dev_defaults}\n kwargs = {key: value for key, value in kwargs.items() if key not in\n spi_args}\n if not spi_args:\n spi_args = pin_defaults\n elif set(spi_args) <= set(pin_defaults):\n spi_args = {key: self.pi_info.to_gpio(spi_args.get(key, default)) for\n key, default in pin_defaults.items()}\n elif set(spi_args) <= set(dev_defaults):\n spi_args = {key: spi_args.get(key, default) for key, default in\n dev_defaults.items()}\n try:\n selected_hw = SPI_HARDWARE_PINS[spi_args['port']]\n except KeyError:\n raise SPIBadArgs('port %d is not a valid SPI port' % spi_args[\n 'port'])\n try:\n selected_hw['select'][spi_args['device']]\n except IndexError:\n raise SPIBadArgs('device must be in the range 0..%d' % len(\n selected_hw['select']))\n spi_args = {key: (value if key != 'select_pin' else selected_hw[\n 'select'][spi_args['device']]) for key, value in pin_defaults.\n items()}\n else:\n raise SPIBadArgs(\n 'you must either specify port and device, or clock_pin, mosi_pin, miso_pin, and select_pin; combinations of the two schemes (e.g. port and clock_pin) are not permitted'\n )\n return spi_args, kwargs\n", "role": "user" }, { "content": "extract_spi_args", "role": "assistant" } ]
def x(self, ticks, state): method = self._when_changed() if method is None: self.when_changed = None else: method(ticks, state)
call_when_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ticks, state):\n method = self._when_changed()\n if method is None:\n self.when_changed = None\n else:\n method(ticks, state)\n", "role": "user" }, { "content": "call_when_changed", "role": "assistant" } ]
def x(self, pattern): try: bits_required = int(ceil(log(pattern, 2))) + 1 except ValueError: bits_required = 1 shifts = range(0, bits_required, self._spi.bits_per_word)[::-1] mask = 2 ** self._spi.bits_per_word - 1 return [(pattern >> shift & mask) for shift in shifts]
int_to_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pattern):\n try:\n bits_required = int(ceil(log(pattern, 2))) + 1\n except ValueError:\n bits_required = 1\n shifts = range(0, bits_required, self._spi.bits_per_word)[::-1]\n mask = 2 ** self._spi.bits_per_word - 1\n return [(pattern >> shift & mask) for shift in shifts]\n", "role": "user" }, { "content": "int_to_words", "role": "assistant" } ]
def x(self, words, expected_bits=None): if expected_bits is None: expected_bits = len(words) * self._spi.bits_per_word shifts = range(0, expected_bits, self._spi.bits_per_word)[::-1] mask = 2 ** expected_bits - 1 return reduce(or_, (word << shift for word, shift in zip(words, shifts)) ) & mask
words_to_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, words, expected_bits=None):\n if expected_bits is None:\n expected_bits = len(words) * self._spi.bits_per_word\n shifts = range(0, expected_bits, self._spi.bits_per_word)[::-1]\n mask = 2 ** expected_bits - 1\n return reduce(or_, (word << shift for word, shift in zip(words, shifts))\n ) & mask\n", "role": "user" }, { "content": "words_to_int", "role": "assistant" } ]
def x(self, data, clock_phase=False, lsb_first=False, bits_per_word=8): result = [] with self.lock: if lsb_first: shift = operator.lshift init_mask = 1 else: shift = operator.rshift init_mask = 1 << bits_per_word - 1 for write_word in data: mask = init_mask read_word = 0 for _ in range(bits_per_word): if self.mosi is not None: self.mosi.value = bool(write_word & mask) self.clock.on() if not clock_phase: if self.miso is not None and self.miso.value: read_word |= mask self.clock.off() if clock_phase: if self.miso is not None and self.miso.value: read_word |= mask mask = shift(mask, 1) result.append(read_word) return result
transfer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, clock_phase=False, lsb_first=False, bits_per_word=8):\n result = []\n with self.lock:\n if lsb_first:\n shift = operator.lshift\n init_mask = 1\n else:\n shift = operator.rshift\n init_mask = 1 << bits_per_word - 1\n for write_word in data:\n mask = init_mask\n read_word = 0\n for _ in range(bits_per_word):\n if self.mosi is not None:\n self.mosi.value = bool(write_word & mask)\n self.clock.on()\n if not clock_phase:\n if self.miso is not None and self.miso.value:\n read_word |= mask\n self.clock.off()\n if clock_phase:\n if self.miso is not None and self.miso.value:\n read_word |= mask\n mask = shift(mask, 1)\n result.append(read_word)\n return result\n", "role": "user" }, { "content": "transfer", "role": "assistant" } ]
def x(self): with io.open(os.devnull, 'wb') as devnull: try: subprocess.check_call(['ping', '-c1', self.host], stdout= devnull, stderr=devnull) except subprocess.CalledProcessError: return False else: return True
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with io.open(os.devnull, 'wb') as devnull:\n try:\n subprocess.check_call(['ping', '-c1', self.host], stdout=\n devnull, stderr=devnull)\n except subprocess.CalledProcessError:\n return False\n else:\n return True\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): with io.open(self.sensor_file, 'r') as f: return float(f.readline().strip()) / 1000
temperature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with io.open(self.sensor_file, 'r') as f:\n return float(f.readline().strip()) / 1000\n", "role": "user" }, { "content": "temperature", "role": "assistant" } ]
def x(self): temp_range = self.max_temp - self.min_temp return (self.temperature - self.min_temp) / temp_range
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n temp_range = self.max_temp - self.min_temp\n return (self.temperature - self.min_temp) / temp_range\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): with io.open(self.load_average_file, 'r') as f: file_columns = f.readline().strip().split() return float(file_columns[self._load_average_file_column])
load_average
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with io.open(self.load_average_file, 'r') as f:\n file_columns = f.readline().strip().split()\n return float(file_columns[self._load_average_file_column])\n", "role": "user" }, { "content": "load_average", "role": "assistant" } ]
def x(self): load_average_range = self.max_load_average - self.min_load_average return (self.load_average - self.min_load_average) / load_average_range
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n load_average_range = self.max_load_average - self.min_load_average\n return (self.load_average - self.min_load_average) / load_average_range\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): now = datetime.utcnow().time() if self.utc else datetime.now().time() if self.start_time < self.end_time: return self.start_time <= now <= self.end_time else: return not self.end_time < now < self.start_time
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = datetime.utcnow().time() if self.utc else datetime.now().time()\n if self.start_time < self.end_time:\n return self.start_time <= now <= self.end_time\n else:\n return not self.end_time < now < self.start_time\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): vfs = os.statvfs(self.filesystem) used = vfs.f_blocks - vfs.f_bfree total = used + vfs.f_bavail return min(1.0, used / total)
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n vfs = os.statvfs(self.filesystem)\n used = vfs.f_blocks - vfs.f_bfree\n total = used + vfs.f_bavail\n return min(1.0, used / total)\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(values, input_min=0, input_max=1): values = _normalize(values) if input_min >= input_max: raise ValueError('input_min must be smaller than input_max') for v in values: yield input_min + input_max - v
inverted
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, input_min=0, input_max=1):\n values = _normalize(values)\n if input_min >= input_max:\n raise ValueError('input_min must be smaller than input_max')\n for v in values:\n yield input_min + input_max - v\n", "role": "user" }, { "content": "inverted", "role": "assistant" } ]
def x(values, output_min, output_max, input_min=0, input_max=1): values = _normalize(values) if input_min >= input_max: raise ValueError('input_min must be smaller than input_max') input_size = input_max - input_min output_size = output_max - output_min for v in values: yield (v - input_min) / input_size * output_size + output_min
scaled
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, output_min, output_max, input_min=0, input_max=1):\n values = _normalize(values)\n if input_min >= input_max:\n raise ValueError('input_min must be smaller than input_max')\n input_size = input_max - input_min\n output_size = output_max - output_min\n for v in values:\n yield (v - input_min) / input_size * output_size + output_min\n", "role": "user" }, { "content": "scaled", "role": "assistant" } ]
def x(values, output_min=0, output_max=1): values = _normalize(values) if output_min >= output_max: raise ValueError('output_min must be smaller than output_max') for v in values: yield min(max(v, output_min), output_max)
clamped
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, output_min=0, output_max=1):\n values = _normalize(values)\n if output_min >= output_max:\n raise ValueError('output_min must be smaller than output_max')\n for v in values:\n yield min(max(v, output_min), output_max)\n", "role": "user" }, { "content": "clamped", "role": "assistant" } ]
def x(values, steps, input_min=0, input_max=1): values = _normalize(values) if steps < 1: raise ValueError('steps must be 1 or larger') if input_min >= input_max: raise ValueError('input_min must be smaller than input_max') input_size = input_max - input_min for v in scaled(values, 0, 1, input_min, input_max): yield int(v * steps) / steps * input_size + input_min
quantized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, steps, input_min=0, input_max=1):\n values = _normalize(values)\n if steps < 1:\n raise ValueError('steps must be 1 or larger')\n if input_min >= input_max:\n raise ValueError('input_min must be smaller than input_max')\n input_size = input_max - input_min\n for v in scaled(values, 0, 1, input_min, input_max):\n yield int(v * steps) / steps * input_size + input_min\n", "role": "user" }, { "content": "quantized", "role": "assistant" } ]
def x(values, min_value, max_value, hysteresis=0): values = _normalize(values) if min_value >= max_value: raise ValueError('min_value must be smaller than max_value') min_value = float(min_value) max_value = float(max_value) if hysteresis < 0: raise ValueError('hysteresis must be 0 or larger') else: hysteresis = float(hysteresis) if max_value - min_value <= hysteresis: raise ValueError( 'The gap between min_value and max_value must be larger than hysteresis' ) last_state = None for v in values: if v < min_value: new_state = 'below' elif v > max_value: new_state = 'above' else: new_state = 'in' switch = False if last_state == None or not hysteresis: switch = True elif new_state == last_state: pass elif last_state == 'below' and new_state == 'in': switch = v >= min_value + hysteresis elif last_state == 'in' and new_state == 'below': switch = v < min_value - hysteresis elif last_state == 'in' and new_state == 'above': switch = v > max_value + hysteresis elif last_state == 'above' and new_state == 'in': switch = v <= max_value - hysteresis else: switch = True if switch: last_state = new_state yield last_state == 'in'
booleanized
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, min_value, max_value, hysteresis=0):\n values = _normalize(values)\n if min_value >= max_value:\n raise ValueError('min_value must be smaller than max_value')\n min_value = float(min_value)\n max_value = float(max_value)\n if hysteresis < 0:\n raise ValueError('hysteresis must be 0 or larger')\n else:\n hysteresis = float(hysteresis)\n if max_value - min_value <= hysteresis:\n raise ValueError(\n 'The gap between min_value and max_value must be larger than hysteresis'\n )\n last_state = None\n for v in values:\n if v < min_value:\n new_state = 'below'\n elif v > max_value:\n new_state = 'above'\n else:\n new_state = 'in'\n switch = False\n if last_state == None or not hysteresis:\n switch = True\n elif new_state == last_state:\n pass\n elif last_state == 'below' and new_state == 'in':\n switch = v >= min_value + hysteresis\n elif last_state == 'in' and new_state == 'below':\n switch = v < min_value - hysteresis\n elif last_state == 'in' and new_state == 'above':\n switch = v > max_value + hysteresis\n elif last_state == 'above' and new_state == 'in':\n switch = v <= max_value - hysteresis\n else:\n switch = True\n if switch:\n last_state = new_state\n yield last_state == 'in'\n", "role": "user" }, { "content": "booleanized", "role": "assistant" } ]
def x(*values): print('here') values = [_normalize(v) for v in values] for v in zip(*values): yield all(v)
all_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*values):\n print('here')\n values = [_normalize(v) for v in values]\n for v in zip(*values):\n yield all(v)\n", "role": "user" }, { "content": "all_values", "role": "assistant" } ]
def x(*values): values = [_normalize(v) for v in values] for v in zip(*values): yield any(v)
any_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*values):\n values = [_normalize(v) for v in values]\n for v in zip(*values):\n yield any(v)\n", "role": "user" }, { "content": "any_values", "role": "assistant" } ]
def x(*values): values = [_normalize(v) for v in values] for v in zip(*values): yield mean(v)
averaged
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*values):\n values = [_normalize(v) for v in values]\n for v in zip(*values):\n yield mean(v)\n", "role": "user" }, { "content": "averaged", "role": "assistant" } ]
def x(*values): values = [_normalize(v) for v in values] for v in zip(*values): yield sum(v)
summed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*values):\n values = [_normalize(v) for v in values]\n for v in zip(*values):\n yield sum(v)\n", "role": "user" }, { "content": "summed", "role": "assistant" } ]
def x(*values): values = [_normalize(v) for v in values] def x(it): p = 1 for n in it: p *= n return p for v in zip(*values): yield _product(v)
multiplied
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*values):\n values = [_normalize(v) for v in values]\n\n def x(it):\n p = 1\n for n in it:\n p *= n\n return p\n for v in zip(*values):\n yield _product(v)\n", "role": "user" }, { "content": "multiplied", "role": "assistant" } ]
def x(values, qsize): values = [_normalize(v) for v in values] if qsize < 1: raise ValueError('qsize must be 1 or larger') q = [] it = iter(values) try: for i in range(qsize): q.append(next(it)) for i in cycle(range(qsize)): yield q[i] q[i] = next(it) except StopIteration: pass
queued
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, qsize):\n values = [_normalize(v) for v in values]\n if qsize < 1:\n raise ValueError('qsize must be 1 or larger')\n q = []\n it = iter(values)\n try:\n for i in range(qsize):\n q.append(next(it))\n for i in cycle(range(qsize)):\n yield q[i]\n q[i] = next(it)\n except StopIteration:\n pass\n", "role": "user" }, { "content": "queued", "role": "assistant" } ]
def x(values, qsize, average=mean): values = _normalize(values) if qsize < 1: raise ValueError('qsize must be 1 or larger') q = [] it = iter(values) try: for i in range(qsize): q.append(next(it)) for i in cycle(range(qsize)): yield average(q) q[i] = next(it) except StopIteration: pass
smoothed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, qsize, average=mean):\n values = _normalize(values)\n if qsize < 1:\n raise ValueError('qsize must be 1 or larger')\n q = []\n it = iter(values)\n try:\n for i in range(qsize):\n q.append(next(it))\n for i in cycle(range(qsize)):\n yield average(q)\n q[i] = next(it)\n except StopIteration:\n pass\n", "role": "user" }, { "content": "smoothed", "role": "assistant" } ]
def x(values, delay): values = _normalize(values) if delay < 0: raise ValueError('delay must be 0 or larger') for v in values: sleep(delay) yield v
pre_delayed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, delay):\n values = _normalize(values)\n if delay < 0:\n raise ValueError('delay must be 0 or larger')\n for v in values:\n sleep(delay)\n yield v\n", "role": "user" }, { "content": "pre_delayed", "role": "assistant" } ]
def x(values, delay): values = _normalize(values) if delay < 0: raise ValueError('delay must be 0 or larger') for v in values: yield v sleep(delay)
post_delayed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, delay):\n values = _normalize(values)\n if delay < 0:\n raise ValueError('delay must be 0 or larger')\n for v in values:\n yield v\n sleep(delay)\n", "role": "user" }, { "content": "post_delayed", "role": "assistant" } ]
def x(values, block, repeat_after): values = _normalize(values) if block < 1: raise ValueError('block must be 1 or larger') if repeat_after < 0: raise ValueError('repeat_after must be 0 or larger') it = iter(values) try: if repeat_after == 0: for _ in range(block): next(it) while True: yield next(it) else: while True: for _ in range(block): next(it) for _ in range(repeat_after): yield next(it) except StopIteration: pass
pre_periodic_filtered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, block, repeat_after):\n values = _normalize(values)\n if block < 1:\n raise ValueError('block must be 1 or larger')\n if repeat_after < 0:\n raise ValueError('repeat_after must be 0 or larger')\n it = iter(values)\n try:\n if repeat_after == 0:\n for _ in range(block):\n next(it)\n while True:\n yield next(it)\n else:\n while True:\n for _ in range(block):\n next(it)\n for _ in range(repeat_after):\n yield next(it)\n except StopIteration:\n pass\n", "role": "user" }, { "content": "pre_periodic_filtered", "role": "assistant" } ]
def x(values, repeat_after, block): values = _normalize(values) if repeat_after < 1: raise ValueError('repeat_after must be 1 or larger') if block < 1: raise ValueError('block must be 1 or larger') it = iter(values) try: while True: for _ in range(repeat_after): yield next(it) for _ in range(block): next(it) except StopIteration: pass
post_periodic_filtered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, repeat_after, block):\n values = _normalize(values)\n if repeat_after < 1:\n raise ValueError('repeat_after must be 1 or larger')\n if block < 1:\n raise ValueError('block must be 1 or larger')\n it = iter(values)\n try:\n while True:\n for _ in range(repeat_after):\n yield next(it)\n for _ in range(block):\n next(it)\n except StopIteration:\n pass\n", "role": "user" }, { "content": "post_periodic_filtered", "role": "assistant" } ]
def x(period=360): angles = (2 * pi * i / period for i in range(period)) for a in cycle(angles): yield sin(a)
sin_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(period=360):\n angles = (2 * pi * i / period for i in range(period))\n for a in cycle(angles):\n yield sin(a)\n", "role": "user" }, { "content": "sin_values", "role": "assistant" } ]
def x(period=360): angles = (2 * pi * i / period for i in range(period)) for a in cycle(angles): yield cos(a)
cos_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(period=360):\n angles = (2 * pi * i / period for i in range(period))\n for a in cycle(angles):\n yield cos(a)\n", "role": "user" }, { "content": "cos_values", "role": "assistant" } ]
def x(period=360): step = 2 / period value = 0 while True: yield value value += step if isclose(value, 1, abs_tol=1e-09): value = 1 step *= -1 elif isclose(value, 0, abs_tol=1e-09): value = 0 step *= -1 elif value > 1 or value < 0: step *= -1 value += step
ramping_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(period=360):\n step = 2 / period\n value = 0\n while True:\n yield value\n value += step\n if isclose(value, 1, abs_tol=1e-09):\n value = 1\n step *= -1\n elif isclose(value, 0, abs_tol=1e-09):\n value = 0\n step *= -1\n elif value > 1 or value < 0:\n step *= -1\n value += step\n", "role": "user" }, { "content": "ramping_values", "role": "assistant" } ]
def x(self): with self._lock: if self.is_active: self.off() else: self.on()
toggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n if self.is_active:\n self.off()\n else:\n self.on()\n", "role": "user" }, { "content": "toggle", "role": "assistant" } ]
def x(self, on_time=1, off_time=1, fade_in_time=0, fade_out_time=0, n=None, background=True): self._stop_blink() self._blink_thread = GPIOThread(target=self._blink_device, args=( on_time, off_time, fade_in_time, fade_out_time, n)) self._blink_thread.start() if not background: self._blink_thread.join() self._blink_thread = None
blink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_time=1, off_time=1, fade_in_time=0, fade_out_time=0, n=None,\n background=True):\n self._stop_blink()\n self._blink_thread = GPIOThread(target=self._blink_device, args=(\n on_time, off_time, fade_in_time, fade_out_time, n))\n self._blink_thread.start()\n if not background:\n self._blink_thread.join()\n self._blink_thread = None\n", "role": "user" }, { "content": "blink", "role": "assistant" } ]
def x(self, tone): if tone is None: self.value = None else: if not isinstance(tone, Tone): tone = Tone(tone) freq = tone.frequency if self.min_tone.frequency <= tone <= self.max_tone.frequency: self.pwm_device.pin.frequency = freq self.pwm_device.value = 0.5 else: raise ValueError("tone is out of the device's range")
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tone):\n if tone is None:\n self.value = None\n else:\n if not isinstance(tone, Tone):\n tone = Tone(tone)\n freq = tone.frequency\n if self.min_tone.frequency <= tone <= self.max_tone.frequency:\n self.pwm_device.pin.frequency = freq\n self.pwm_device.value = 0.5\n else:\n raise ValueError(\"tone is out of the device's range\")\n", "role": "user" }, { "content": "play", "role": "assistant" } ]
def x(self): if self.pwm_device.pin.frequency is None: return None else: return Tone.from_frequency(self.pwm_device.pin.frequency)
tone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.pwm_device.pin.frequency is None:\n return None\n else:\n return Tone.from_frequency(self.pwm_device.pin.frequency)\n", "role": "user" }, { "content": "tone", "role": "assistant" } ]
def x(self): if self.pwm_device.pin.frequency is None: return None else: try: return log2(self.pwm_device.pin.frequency / self.mid_tone.frequency ) / self.octaves except ZeroDivisionError: return 0.0
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.pwm_device.pin.frequency is None:\n return None\n else:\n try:\n return log2(self.pwm_device.pin.frequency / self.mid_tone.frequency\n ) / self.octaves\n except ZeroDivisionError:\n return 0.0\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self): r, g, b = self.value self.value = 1 - r, 1 - g, 1 - b
toggle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n r, g, b = self.value\n self.value = 1 - r, 1 - g, 1 - b\n", "role": "user" }, { "content": "toggle", "role": "assistant" } ]
def x(self, on_time=1, off_time=1, fade_in_time=0, fade_out_time=0, on_color=(1, 1, 1), off_color=(0, 0, 0), n=None, background=True): if isinstance(self._leds[0], LED): if fade_in_time: raise ValueError('fade_in_time must be 0 with non-PWM RGBLEDs') if fade_out_time: raise ValueError('fade_out_time must be 0 with non-PWM RGBLEDs') self._stop_blink() self._blink_thread = GPIOThread(target=self._blink_device, args=( on_time, off_time, fade_in_time, fade_out_time, on_color, off_color, n) ) self._blink_thread.start() if not background: self._blink_thread.join() self._blink_thread = None
blink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, on_time=1, off_time=1, fade_in_time=0, fade_out_time=0,\n on_color=(1, 1, 1), off_color=(0, 0, 0), n=None, background=True):\n if isinstance(self._leds[0], LED):\n if fade_in_time:\n raise ValueError('fade_in_time must be 0 with non-PWM RGBLEDs')\n if fade_out_time:\n raise ValueError('fade_out_time must be 0 with non-PWM RGBLEDs')\n self._stop_blink()\n self._blink_thread = GPIOThread(target=self._blink_device, args=(\n on_time, off_time, fade_in_time, fade_out_time, on_color, off_color, n)\n )\n self._blink_thread.start()\n if not background:\n self._blink_thread.join()\n self._blink_thread = None\n", "role": "user" }, { "content": "blink", "role": "assistant" } ]
def x(self, speed=1): if not 0 <= speed <= 1: raise ValueError('forward speed must be between 0 and 1') if isinstance(self.forward_device, DigitalOutputDevice): if speed not in (0, 1): raise ValueError('forward speed must be 0 or 1 with non-PWM Motors' ) self.backward_device.off() self.forward_device.value = speed
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n if not 0 <= speed <= 1:\n raise ValueError('forward speed must be between 0 and 1')\n if isinstance(self.forward_device, DigitalOutputDevice):\n if speed not in (0, 1):\n raise ValueError('forward speed must be 0 or 1 with non-PWM Motors'\n )\n self.backward_device.off()\n self.forward_device.value = speed\n", "role": "user" }, { "content": "forward", "role": "assistant" } ]
def x(self): return (-self.enable_device.value if self.phase_device.is_active else self.enable_device.value)
value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return (-self.enable_device.value if self.phase_device.is_active else\n self.enable_device.value)\n", "role": "user" }, { "content": "value", "role": "assistant" } ]
def x(self, speed=1): if isinstance(self.enable_device, DigitalOutputDevice): if speed not in (0, 1): raise ValueError('forward speed must be 0 or 1 with non-PWM Motors' ) self.enable_device.off() self.phase_device.off() self.enable_device.value = speed
forward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n if isinstance(self.enable_device, DigitalOutputDevice):\n if speed not in (0, 1):\n raise ValueError('forward speed must be 0 or 1 with non-PWM Motors'\n )\n self.enable_device.off()\n self.phase_device.off()\n self.enable_device.value = speed\n", "role": "user" }, { "content": "forward", "role": "assistant" } ]
def x(self, speed=1): if isinstance(self.enable_device, DigitalOutputDevice): if speed not in (0, 1): raise ValueError( 'backward speed must be 0 or 1 with non-PWM Motors') self.enable_device.off() self.phase_device.on() self.enable_device.value = speed
backward
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, speed=1):\n if isinstance(self.enable_device, DigitalOutputDevice):\n if speed not in (0, 1):\n raise ValueError(\n 'backward speed must be 0 or 1 with non-PWM Motors')\n self.enable_device.off()\n self.phase_device.on()\n self.enable_device.value = speed\n", "role": "user" }, { "content": "backward", "role": "assistant" } ]
def x(self): if self.pwm_device.pin.frequency is None: return None else: return self.pwm_device.pin.state * self.frame_width
pulse_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.pwm_device.pin.frequency is None:\n return None\n else:\n return self.pwm_device.pin.state * self.frame_width\n", "role": "user" }, { "content": "pulse_width", "role": "assistant" } ]
def x(self): result = self._get_value() if result is None: return None else: return round(self._angular_range * ((result - self._min_value) / self._value_range) + self._min_angle, 12)
angle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = self._get_value()\n if result is None:\n return None\n else:\n return round(self._angular_range * ((result - self._min_value) /\n self._value_range) + self._min_angle, 12)\n", "role": "user" }, { "content": "angle", "role": "assistant" } ]
def x(cls, midi_note): midi = int(midi_note) if 0 <= midi_note < 128: A4_midi = 69 A4_freq = 440 return cls.from_frequency(A4_freq * 2 ** ((midi - A4_midi) / 12)) raise ValueError('invalid MIDI note: %r' % midi)
from_midi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, midi_note):\n midi = int(midi_note)\n if 0 <= midi_note < 128:\n A4_midi = 69\n A4_freq = 440\n return cls.from_frequency(A4_freq * 2 ** ((midi - A4_midi) / 12))\n raise ValueError('invalid MIDI note: %r' % midi)\n", "role": "user" }, { "content": "from_midi", "role": "assistant" } ]
def x(cls, note): if isinstance(note, bytes): note = note.decode('ascii') if isinstance(note, str): match = Tone.regex.match(note) if match: octave = int(match.group('octave')) + 1 return cls.from_midi(Tone.tones.index(match.group('note')) + Tone.semitones[match.group('semi')] + octave * 12) raise ValueError('invalid note specification: %r' % note)
from_note
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, note):\n if isinstance(note, bytes):\n note = note.decode('ascii')\n if isinstance(note, str):\n match = Tone.regex.match(note)\n if match:\n octave = int(match.group('octave')) + 1\n return cls.from_midi(Tone.tones.index(match.group('note')) +\n Tone.semitones[match.group('semi')] + octave * 12)\n raise ValueError('invalid note specification: %r' % note)\n", "role": "user" }, { "content": "from_note", "role": "assistant" } ]
def x(cls, freq): if 0 < freq <= 20000: return super(Tone, cls).__new__(cls, freq) raise ValueError('invalid frequency: %.2f' % freq)
from_frequency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, freq):\n if 0 < freq <= 20000:\n return super(Tone, cls).__new__(cls, freq)\n raise ValueError('invalid frequency: %.2f' % freq)\n", "role": "user" }, { "content": "from_frequency", "role": "assistant" } ]
def x(self): result = int(round(12 * log2(self.frequency / 440) + 69)) if 0 <= result < 128: return result raise ValueError('%f is outside the MIDI note range' % self.frequency)
midi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = int(round(12 * log2(self.frequency / 440) + 69))\n if 0 <= result < 128:\n return result\n raise ValueError('%f is outside the MIDI note range' % self.frequency)\n", "role": "user" }, { "content": "midi", "role": "assistant" } ]
def x(self): offset = self.midi - 60 index = offset % 12 octave = 4 + offset // 12 if 0 <= octave <= 9: return Tone.tones[index] + ('#' if Tone.tones[index] == Tone.tones[ index - 1] else '') + str(octave) raise ValueError('%f is outside the notation range' % self.frequency)
note
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n offset = self.midi - 60\n index = offset % 12\n octave = 4 + offset // 12\n if 0 <= octave <= 9:\n return Tone.tones[index] + ('#' if Tone.tones[index] == Tone.tones[\n index - 1] else '') + str(octave)\n raise ValueError('%f is outside the notation range' % self.frequency)\n", "role": "user" }, { "content": "note", "role": "assistant" } ]
def x(self): if self._active_event.is_set(): return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self. _last_changed) else: return None
active_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._active_event.is_set():\n return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self.\n _last_changed)\n else:\n return None\n", "role": "user" }, { "content": "active_time", "role": "assistant" } ]
def x(self): if self._inactive_event.is_set(): return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self. _last_changed) else: return None
inactive_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._inactive_event.is_set():\n return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self.\n _last_changed)\n else:\n return None\n", "role": "user" }, { "content": "inactive_time", "role": "assistant" } ]
def x(self): if self._held_from is not None: return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self. _held_from) else: return None
held_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._held_from is not None:\n return self.pin_factory.ticks_diff(self.pin_factory.ticks(), self.\n _held_from)\n else:\n return None\n", "role": "user" }, { "content": "held_time", "role": "assistant" } ]
def x(self, ticks=None, state=None): super(LocalPiPin, self)._call_when_changed(self._factory.ticks() if ticks is None else ticks, self.state if state is None else state)
call_when_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ticks=None, state=None):\n super(LocalPiPin, self)._call_when_changed(self._factory.ticks() if \n ticks is None else ticks, self.state if state is None else state)\n", "role": "user" }, { "content": "call_when_changed", "role": "assistant" } ]
def x(include_top=True, model='vgg16', weights='vggface', input_tensor=None, input_shape=None, pooling=None, classes=None): if weights not in {'vggface', None}: raise ValueError( 'The `weights` argument should be either `None` (random initialization) or `vggface`(pre-training on VGGFace Datasets).' ) if model == 'vgg16': if classes is None: classes = 2622 if weights == 'vggface' and include_top and classes != 2622: raise ValueError( 'If using `weights` as vggface original with `include_top` as true, `classes` should be 2622' ) return VGG16(include_top=include_top, input_tensor=input_tensor, input_shape=input_shape, pooling=pooling, weights=weights, classes=classes) if model == 'resnet50': if classes is None: classes = 8631 if weights == 'vggface' and include_top and classes != 8631: raise ValueError( 'If using `weights` as vggface original with `include_top` as true, `classes` should be 8631' ) return RESNET50(include_top=include_top, input_tensor=input_tensor, input_shape=input_shape, pooling=pooling, weights=weights, classes=classes) if model == 'senet50': if classes is None: classes = 8631 if weights == 'vggface' and include_top and classes != 8631: raise ValueError( 'If using `weights` as vggface original with `include_top` as true, `classes` should be 8631' ) return SENET50(include_top=include_top, input_tensor=input_tensor, input_shape=input_shape, pooling=pooling, weights=weights, classes=classes)
VGGFace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(include_top=True, model='vgg16', weights='vggface', input_tensor=None,\n input_shape=None, pooling=None, classes=None):\n if weights not in {'vggface', None}:\n raise ValueError(\n 'The `weights` argument should be either `None` (random initialization) or `vggface`(pre-training on VGGFace Datasets).'\n )\n if model == 'vgg16':\n if classes is None:\n classes = 2622\n if weights == 'vggface' and include_top and classes != 2622:\n raise ValueError(\n 'If using `weights` as vggface original with `include_top` as true, `classes` should be 2622'\n )\n return VGG16(include_top=include_top, input_tensor=input_tensor,\n input_shape=input_shape, pooling=pooling, weights=weights,\n classes=classes)\n if model == 'resnet50':\n if classes is None:\n classes = 8631\n if weights == 'vggface' and include_top and classes != 8631:\n raise ValueError(\n 'If using `weights` as vggface original with `include_top` as true, `classes` should be 8631'\n )\n return RESNET50(include_top=include_top, input_tensor=input_tensor,\n input_shape=input_shape, pooling=pooling, weights=weights,\n classes=classes)\n if model == 'senet50':\n if classes is None:\n classes = 8631\n if weights == 'vggface' and include_top and classes != 8631:\n raise ValueError(\n 'If using `weights` as vggface original with `include_top` as true, `classes` should be 8631'\n )\n return SENET50(include_top=include_top, input_tensor=input_tensor,\n input_shape=input_shape, pooling=pooling, weights=weights,\n classes=classes)\n", "role": "user" }, { "content": "VGGFace", "role": "assistant" } ]
def x(proxy_type=None, addr=None, port=None, rdns=True, username=None, password=None): socksocket.default_proxy = proxy_type, addr, port, rdns, username.encode( ) if username else None, password.encode() if password else None
set_default_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(proxy_type=None, addr=None, port=None, rdns=True, username=None,\n password=None):\n socksocket.default_proxy = proxy_type, addr, port, rdns, username.encode(\n ) if username else None, password.encode() if password else None\n", "role": "user" }, { "content": "set_default_proxy", "role": "assistant" } ]
def x(dest_pair, proxy_type=None, proxy_addr=None, proxy_port=None, proxy_rdns=True, proxy_username=None, proxy_password=None, timeout=None, source_address=None, socket_options=None): remote_host, remote_port = dest_pair if remote_host.startswith('['): remote_host = remote_host.strip('[]') if proxy_addr and proxy_addr.startswith('['): proxy_addr = proxy_addr.strip('[]') err = None for r in socket.getaddrinfo(proxy_addr, proxy_port, 0, socket.SOCK_STREAM): family, socket_type, proto, canonname, sa = r sock = None try: sock = socksocket(family, socket_type, proto) if socket_options: for opt in socket_options: sock.setsockopt(*opt) if isinstance(timeout, (int, float)): sock.settimeout(timeout) if proxy_type: sock.set_proxy(proxy_type, proxy_addr, proxy_port, proxy_rdns, proxy_username, proxy_password) if source_address: sock.bind(source_address) sock.connect((remote_host, remote_port)) return sock except (socket.error, ProxyConnectionError) as e: err = e if sock: sock.close() sock = None if err: raise err raise socket.error('gai returned empty list.')
create_connection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dest_pair, proxy_type=None, proxy_addr=None, proxy_port=None,\n proxy_rdns=True, proxy_username=None, proxy_password=None, timeout=None,\n source_address=None, socket_options=None):\n remote_host, remote_port = dest_pair\n if remote_host.startswith('['):\n remote_host = remote_host.strip('[]')\n if proxy_addr and proxy_addr.startswith('['):\n proxy_addr = proxy_addr.strip('[]')\n err = None\n for r in socket.getaddrinfo(proxy_addr, proxy_port, 0, socket.SOCK_STREAM):\n family, socket_type, proto, canonname, sa = r\n sock = None\n try:\n sock = socksocket(family, socket_type, proto)\n if socket_options:\n for opt in socket_options:\n sock.setsockopt(*opt)\n if isinstance(timeout, (int, float)):\n sock.settimeout(timeout)\n if proxy_type:\n sock.set_proxy(proxy_type, proxy_addr, proxy_port,\n proxy_rdns, proxy_username, proxy_password)\n if source_address:\n sock.bind(source_address)\n sock.connect((remote_host, remote_port))\n return sock\n except (socket.error, ProxyConnectionError) as e:\n err = e\n if sock:\n sock.close()\n sock = None\n if err:\n raise err\n raise socket.error('gai returned empty list.')\n", "role": "user" }, { "content": "create_connection", "role": "assistant" } ]
def x(self, file, count): data = b'' while len(data) < count: d = file.read(count - len(data)) if not d: raise GeneralProxyError('Connection closed unexpectedly') data += d return data
readall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file, count):\n data = b''\n while len(data) < count:\n d = file.read(count - len(data))\n if not d:\n raise GeneralProxyError('Connection closed unexpectedly')\n data += d\n return data\n", "role": "user" }, { "content": "readall", "role": "assistant" } ]
def x(self, proxy_type=None, addr=None, port=None, rdns=True, username=None, password=None): self.proxy = proxy_type, addr, port, rdns, username.encode( ) if username else None, password.encode() if password else None
set_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proxy_type=None, addr=None, port=None, rdns=True, username=None,\n password=None):\n self.proxy = proxy_type, addr, port, rdns, username.encode(\n ) if username else None, password.encode() if password else None\n", "role": "user" }, { "content": "set_proxy", "role": "assistant" } ]
def x(self, *pos, **kw): proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy if not proxy_type or self.type != socket.SOCK_DGRAM: return _orig_socket.bind(self, *pos, **kw) if self._proxyconn: raise socket.error(EINVAL, 'Socket already bound to an address') if proxy_type != SOCKS5: msg = 'UDP only supported by SOCKS5 proxy type' raise socket.error(EOPNOTSUPP, msg) super(socksocket, self).bind(*pos, **kw) _, port = self.getsockname() dst = '0', port self._proxyconn = _orig_socket() proxy = self._proxy_addr() self._proxyconn.connect(proxy) UDP_ASSOCIATE = b'\x03' _, relay = self._SOCKS5_request(self._proxyconn, UDP_ASSOCIATE, dst) host, _ = proxy _, port = relay super(socksocket, self).connect((host, port)) super(socksocket, self).settimeout(self._timeout) self.proxy_sockname = '0.0.0.0', 0
bind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *pos, **kw):\n proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy\n if not proxy_type or self.type != socket.SOCK_DGRAM:\n return _orig_socket.bind(self, *pos, **kw)\n if self._proxyconn:\n raise socket.error(EINVAL, 'Socket already bound to an address')\n if proxy_type != SOCKS5:\n msg = 'UDP only supported by SOCKS5 proxy type'\n raise socket.error(EOPNOTSUPP, msg)\n super(socksocket, self).bind(*pos, **kw)\n _, port = self.getsockname()\n dst = '0', port\n self._proxyconn = _orig_socket()\n proxy = self._proxy_addr()\n self._proxyconn.connect(proxy)\n UDP_ASSOCIATE = b'\\x03'\n _, relay = self._SOCKS5_request(self._proxyconn, UDP_ASSOCIATE, dst)\n host, _ = proxy\n _, port = relay\n super(socksocket, self).connect((host, port))\n super(socksocket, self).settimeout(self._timeout)\n self.proxy_sockname = '0.0.0.0', 0\n", "role": "user" }, { "content": "bind", "role": "assistant" } ]
def x(self, *dest_addr): CONNECT = b'\x01' self.proxy_peername, self.proxy_sockname = self._SOCKS5_request(self, CONNECT, dest_addr)
negotiate_SOCKS5
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *dest_addr):\n CONNECT = b'\\x01'\n self.proxy_peername, self.proxy_sockname = self._SOCKS5_request(self,\n CONNECT, dest_addr)\n", "role": "user" }, { "content": "negotiate_SOCKS5", "role": "assistant" } ]
def x(self, conn, cmd, dst): proxy_type, addr, port, rdns, username, password = self.proxy writer = conn.makefile('wb') reader = conn.makefile('rb', 0) try: if username and password: writer.write(b'\x05\x02\x00\x02') else: writer.write(b'\x05\x01\x00') writer.flush() chosen_auth = self._readall(reader, 2) if chosen_auth[0:1] != b'\x05': raise GeneralProxyError('SOCKS5 proxy server sent invalid data') if chosen_auth[1:2] == b'\x02': writer.write(b'\x01' + chr(len(username)).encode() + username + chr(len(password)).encode() + password) writer.flush() auth_status = self._readall(reader, 2) if auth_status[0:1] != b'\x01': raise GeneralProxyError('SOCKS5 proxy server sent invalid data' ) if auth_status[1:2] != b'\x00': raise SOCKS5AuthError('SOCKS5 authentication failed') elif chosen_auth[1:2] != b'\x00': if chosen_auth[1:2] == b'\xff': raise SOCKS5AuthError( 'All offered SOCKS5 authentication methods were rejected') else: raise GeneralProxyError('SOCKS5 proxy server sent invalid data' ) writer.write(b'\x05' + cmd + b'\x00') resolved = self._write_SOCKS5_address(dst, writer) writer.flush() resp = self._readall(reader, 3) if resp[0:1] != b'\x05': raise GeneralProxyError('SOCKS5 proxy server sent invalid data') status = ord(resp[1:2]) if status != 0: error = SOCKS5_ERRORS.get(status, 'Unknown error') raise SOCKS5Error('{0:#04x}: {1}'.format(status, error)) bnd = self._read_SOCKS5_address(reader) super(socksocket, self).settimeout(self._timeout) return resolved, bnd finally: reader.close() writer.close()
SOCKS5_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, conn, cmd, dst):\n proxy_type, addr, port, rdns, username, password = self.proxy\n writer = conn.makefile('wb')\n reader = conn.makefile('rb', 0)\n try:\n if username and password:\n writer.write(b'\\x05\\x02\\x00\\x02')\n else:\n writer.write(b'\\x05\\x01\\x00')\n writer.flush()\n chosen_auth = self._readall(reader, 2)\n if chosen_auth[0:1] != b'\\x05':\n raise GeneralProxyError('SOCKS5 proxy server sent invalid data')\n if chosen_auth[1:2] == b'\\x02':\n writer.write(b'\\x01' + chr(len(username)).encode() + username +\n chr(len(password)).encode() + password)\n writer.flush()\n auth_status = self._readall(reader, 2)\n if auth_status[0:1] != b'\\x01':\n raise GeneralProxyError('SOCKS5 proxy server sent invalid data'\n )\n if auth_status[1:2] != b'\\x00':\n raise SOCKS5AuthError('SOCKS5 authentication failed')\n elif chosen_auth[1:2] != b'\\x00':\n if chosen_auth[1:2] == b'\\xff':\n raise SOCKS5AuthError(\n 'All offered SOCKS5 authentication methods were rejected')\n else:\n raise GeneralProxyError('SOCKS5 proxy server sent invalid data'\n )\n writer.write(b'\\x05' + cmd + b'\\x00')\n resolved = self._write_SOCKS5_address(dst, writer)\n writer.flush()\n resp = self._readall(reader, 3)\n if resp[0:1] != b'\\x05':\n raise GeneralProxyError('SOCKS5 proxy server sent invalid data')\n status = ord(resp[1:2])\n if status != 0:\n error = SOCKS5_ERRORS.get(status, 'Unknown error')\n raise SOCKS5Error('{0:#04x}: {1}'.format(status, error))\n bnd = self._read_SOCKS5_address(reader)\n super(socksocket, self).settimeout(self._timeout)\n return resolved, bnd\n finally:\n reader.close()\n writer.close()\n", "role": "user" }, { "content": "SOCKS5_request", "role": "assistant" } ]
def x(self, addr, file): host, port = addr proxy_type, _, _, rdns, username, password = self.proxy family_to_byte = {socket.AF_INET: b'\x01', socket.AF_INET6: b'\x04'} for family in (socket.AF_INET, socket.AF_INET6): try: addr_bytes = socket.inet_pton(family, host) file.write(family_to_byte[family] + addr_bytes) host = socket.inet_ntop(family, addr_bytes) file.write(struct.pack('>H', port)) return host, port except socket.error: continue if rdns: host_bytes = host.encode('idna') file.write(b'\x03' + chr(len(host_bytes)).encode() + host_bytes) else: addresses = socket.getaddrinfo(host, port, socket.AF_UNSPEC, socket .SOCK_STREAM, socket.IPPROTO_TCP, socket.AI_ADDRCONFIG) target_addr = addresses[0] family = target_addr[0] host = target_addr[4][0] addr_bytes = socket.inet_pton(family, host) file.write(family_to_byte[family] + addr_bytes) host = socket.inet_ntop(family, addr_bytes) file.write(struct.pack('>H', port)) return host, port
write_SOCKS5_address
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, addr, file):\n host, port = addr\n proxy_type, _, _, rdns, username, password = self.proxy\n family_to_byte = {socket.AF_INET: b'\\x01', socket.AF_INET6: b'\\x04'}\n for family in (socket.AF_INET, socket.AF_INET6):\n try:\n addr_bytes = socket.inet_pton(family, host)\n file.write(family_to_byte[family] + addr_bytes)\n host = socket.inet_ntop(family, addr_bytes)\n file.write(struct.pack('>H', port))\n return host, port\n except socket.error:\n continue\n if rdns:\n host_bytes = host.encode('idna')\n file.write(b'\\x03' + chr(len(host_bytes)).encode() + host_bytes)\n else:\n addresses = socket.getaddrinfo(host, port, socket.AF_UNSPEC, socket\n .SOCK_STREAM, socket.IPPROTO_TCP, socket.AI_ADDRCONFIG)\n target_addr = addresses[0]\n family = target_addr[0]\n host = target_addr[4][0]\n addr_bytes = socket.inet_pton(family, host)\n file.write(family_to_byte[family] + addr_bytes)\n host = socket.inet_ntop(family, addr_bytes)\n file.write(struct.pack('>H', port))\n return host, port\n", "role": "user" }, { "content": "write_SOCKS5_address", "role": "assistant" } ]
def x(self, dest_addr, dest_port): proxy_type, addr, port, rdns, username, password = self.proxy writer = self.makefile('wb') reader = self.makefile('rb', 0) try: remote_resolve = False try: addr_bytes = socket.inet_aton(dest_addr) except socket.error: if rdns: addr_bytes = b'\x00\x00\x00\x01' remote_resolve = True else: addr_bytes = socket.inet_aton(socket.gethostbyname(dest_addr)) writer.write(struct.pack('>BBH', 4, 1, dest_port)) writer.write(addr_bytes) if username: writer.write(username) writer.write(b'\x00') if remote_resolve: writer.write(dest_addr.encode('idna') + b'\x00') writer.flush() resp = self._readall(reader, 8) if resp[0:1] != b'\x00': raise GeneralProxyError('SOCKS4 proxy server sent invalid data') status = ord(resp[1:2]) if status != 90: error = SOCKS4_ERRORS.get(status, 'Unknown error') raise SOCKS4Error('{0:#04x}: {1}'.format(status, error)) self.proxy_sockname = socket.inet_ntoa(resp[4:]), struct.unpack('>H', resp[2:4])[0] if remote_resolve: self.proxy_peername = socket.inet_ntoa(addr_bytes), dest_port else: self.proxy_peername = dest_addr, dest_port finally: reader.close() writer.close()
negotiate_SOCKS4
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dest_addr, dest_port):\n proxy_type, addr, port, rdns, username, password = self.proxy\n writer = self.makefile('wb')\n reader = self.makefile('rb', 0)\n try:\n remote_resolve = False\n try:\n addr_bytes = socket.inet_aton(dest_addr)\n except socket.error:\n if rdns:\n addr_bytes = b'\\x00\\x00\\x00\\x01'\n remote_resolve = True\n else:\n addr_bytes = socket.inet_aton(socket.gethostbyname(dest_addr))\n writer.write(struct.pack('>BBH', 4, 1, dest_port))\n writer.write(addr_bytes)\n if username:\n writer.write(username)\n writer.write(b'\\x00')\n if remote_resolve:\n writer.write(dest_addr.encode('idna') + b'\\x00')\n writer.flush()\n resp = self._readall(reader, 8)\n if resp[0:1] != b'\\x00':\n raise GeneralProxyError('SOCKS4 proxy server sent invalid data')\n status = ord(resp[1:2])\n if status != 90:\n error = SOCKS4_ERRORS.get(status, 'Unknown error')\n raise SOCKS4Error('{0:#04x}: {1}'.format(status, error))\n self.proxy_sockname = socket.inet_ntoa(resp[4:]), struct.unpack('>H',\n resp[2:4])[0]\n if remote_resolve:\n self.proxy_peername = socket.inet_ntoa(addr_bytes), dest_port\n else:\n self.proxy_peername = dest_addr, dest_port\n finally:\n reader.close()\n writer.close()\n", "role": "user" }, { "content": "negotiate_SOCKS4", "role": "assistant" } ]
def x(self, dest_addr, dest_port): proxy_type, addr, port, rdns, username, password = self.proxy addr = dest_addr if rdns else socket.gethostbyname(dest_addr) http_headers = [b'CONNECT ' + addr.encode('idna') + b':' + str( dest_port).encode() + b' HTTP/1.1', b'Host: ' + dest_addr.encode( 'idna')] if username and password: http_headers.append(b'Proxy-Authorization: basic ' + b64encode( username + b':' + password)) http_headers.append(b'\r\n') self.sendall(b'\r\n'.join(http_headers)) fobj = self.makefile() status_line = fobj.readline() fobj.close() if not status_line: raise GeneralProxyError('Connection closed unexpectedly') try: proto, status_code, status_msg = status_line.split(' ', 2) except ValueError: raise GeneralProxyError('HTTP proxy server sent invalid response') if not proto.startswith('HTTP/'): raise GeneralProxyError( 'Proxy server does not appear to be an HTTP proxy') try: status_code = int(status_code) except ValueError: raise HTTPError('HTTP proxy server did not return a valid HTTP status') if status_code != 200: error = '{0}: {1}'.format(status_code, status_msg) if status_code in (400, 403, 405): error += """ [*] Note: The HTTP proxy server may not be supported by PySocks (must be a CONNECT tunnel proxy)""" raise HTTPError(error) self.proxy_sockname = b'0.0.0.0', 0 self.proxy_peername = addr, dest_port
negotiate_HTTP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dest_addr, dest_port):\n proxy_type, addr, port, rdns, username, password = self.proxy\n addr = dest_addr if rdns else socket.gethostbyname(dest_addr)\n http_headers = [b'CONNECT ' + addr.encode('idna') + b':' + str(\n dest_port).encode() + b' HTTP/1.1', b'Host: ' + dest_addr.encode(\n 'idna')]\n if username and password:\n http_headers.append(b'Proxy-Authorization: basic ' + b64encode(\n username + b':' + password))\n http_headers.append(b'\\r\\n')\n self.sendall(b'\\r\\n'.join(http_headers))\n fobj = self.makefile()\n status_line = fobj.readline()\n fobj.close()\n if not status_line:\n raise GeneralProxyError('Connection closed unexpectedly')\n try:\n proto, status_code, status_msg = status_line.split(' ', 2)\n except ValueError:\n raise GeneralProxyError('HTTP proxy server sent invalid response')\n if not proto.startswith('HTTP/'):\n raise GeneralProxyError(\n 'Proxy server does not appear to be an HTTP proxy')\n try:\n status_code = int(status_code)\n except ValueError:\n raise HTTPError('HTTP proxy server did not return a valid HTTP status')\n if status_code != 200:\n error = '{0}: {1}'.format(status_code, status_msg)\n if status_code in (400, 403, 405):\n error += \"\"\"\n[*] Note: The HTTP proxy server may not be supported by PySocks (must be a CONNECT tunnel proxy)\"\"\"\n raise HTTPError(error)\n self.proxy_sockname = b'0.0.0.0', 0\n self.proxy_peername = addr, dest_port\n", "role": "user" }, { "content": "negotiate_HTTP", "role": "assistant" } ]
def x(self, dest_pair): if len(dest_pair) != 2 or dest_pair[0].startswith('['): raise socket.error("PySocks doesn't support IPv6: %s" % str(dest_pair)) dest_addr, dest_port = dest_pair if self.type == socket.SOCK_DGRAM: if not self._proxyconn: self.bind(('', 0)) dest_addr = socket.gethostbyname(dest_addr) if dest_addr == '0.0.0.0' and not dest_port: self.proxy_peername = None else: self.proxy_peername = dest_addr, dest_port return proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy if not isinstance(dest_pair, (list, tuple)) or len(dest_pair ) != 2 or not dest_addr or not isinstance(dest_port, int): raise GeneralProxyError( 'Invalid destination-connection (host, port) pair') super(socksocket, self).settimeout(self._timeout) if proxy_type is None: self.proxy_peername = dest_pair super(socksocket, self).settimeout(self._timeout) super(socksocket, self).connect((dest_addr, dest_port)) return proxy_addr = self._proxy_addr() try: super(socksocket, self).connect(proxy_addr) except socket.error as error: self.close() proxy_addr, proxy_port = proxy_addr proxy_server = '{0}:{1}'.format(proxy_addr, proxy_port) printable_type = PRINTABLE_PROXY_TYPES[proxy_type] msg = 'Error connecting to {0} proxy {1}'.format(printable_type, proxy_server) log.debug('%s due to: %s', msg, error) raise ProxyConnectionError(msg, error) else: try: negotiate = self._proxy_negotiators[proxy_type] negotiate(self, dest_addr, dest_port) except socket.error as error: self.close() raise GeneralProxyError('Socket error', error) except ProxyError: self.close() raise
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dest_pair):\n if len(dest_pair) != 2 or dest_pair[0].startswith('['):\n raise socket.error(\"PySocks doesn't support IPv6: %s\" % str(dest_pair))\n dest_addr, dest_port = dest_pair\n if self.type == socket.SOCK_DGRAM:\n if not self._proxyconn:\n self.bind(('', 0))\n dest_addr = socket.gethostbyname(dest_addr)\n if dest_addr == '0.0.0.0' and not dest_port:\n self.proxy_peername = None\n else:\n self.proxy_peername = dest_addr, dest_port\n return\n proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy\n if not isinstance(dest_pair, (list, tuple)) or len(dest_pair\n ) != 2 or not dest_addr or not isinstance(dest_port, int):\n raise GeneralProxyError(\n 'Invalid destination-connection (host, port) pair')\n super(socksocket, self).settimeout(self._timeout)\n if proxy_type is None:\n self.proxy_peername = dest_pair\n super(socksocket, self).settimeout(self._timeout)\n super(socksocket, self).connect((dest_addr, dest_port))\n return\n proxy_addr = self._proxy_addr()\n try:\n super(socksocket, self).connect(proxy_addr)\n except socket.error as error:\n self.close()\n proxy_addr, proxy_port = proxy_addr\n proxy_server = '{0}:{1}'.format(proxy_addr, proxy_port)\n printable_type = PRINTABLE_PROXY_TYPES[proxy_type]\n msg = 'Error connecting to {0} proxy {1}'.format(printable_type,\n proxy_server)\n log.debug('%s due to: %s', msg, error)\n raise ProxyConnectionError(msg, error)\n else:\n try:\n negotiate = self._proxy_negotiators[proxy_type]\n negotiate(self, dest_addr, dest_port)\n except socket.error as error:\n self.close()\n raise GeneralProxyError('Socket error', error)\n except ProxyError:\n self.close()\n raise\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy proxy_port = proxy_port or DEFAULT_PORTS.get(proxy_type) if not proxy_port: raise GeneralProxyError('Invalid proxy type') return proxy_addr, proxy_port
proxy_addr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n proxy_type, proxy_addr, proxy_port, rdns, username, password = self.proxy\n proxy_port = proxy_port or DEFAULT_PORTS.get(proxy_type)\n if not proxy_port:\n raise GeneralProxyError('Invalid proxy type')\n return proxy_addr, proxy_port\n", "role": "user" }, { "content": "proxy_addr", "role": "assistant" } ]
def x(self, source, accept_encoded_idn, only_icann=False): publicsuffix = set() maxlabel = 0 section_is_icann = None if isinstance(source, decodablestr): source = source.splitlines() ln = 0 for line in source: ln += 1 if only_icann: ul = u(line).rstrip() if ul == '// ===BEGIN ICANN DOMAINS===': section_is_icann = True continue elif ul == '// ===END ICANN DOMAINS===': section_is_icann = False continue if not section_is_icann: continue s = u(line).lower().split(' ')[0].rstrip() if s == '' or s.startswith('//'): continue maxlabel = max(maxlabel, s.count('.') + 1) publicsuffix.add(s) if accept_encoded_idn: e = encode_idn(s.lstrip('!')) if s[0] == '!': publicsuffix.add('!' + e) else: publicsuffix.add(e) self._publicsuffix = frozenset(publicsuffix) self._maxlabel = maxlabel
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, accept_encoded_idn, only_icann=False):\n publicsuffix = set()\n maxlabel = 0\n section_is_icann = None\n if isinstance(source, decodablestr):\n source = source.splitlines()\n ln = 0\n for line in source:\n ln += 1\n if only_icann:\n ul = u(line).rstrip()\n if ul == '// ===BEGIN ICANN DOMAINS===':\n section_is_icann = True\n continue\n elif ul == '// ===END ICANN DOMAINS===':\n section_is_icann = False\n continue\n if not section_is_icann:\n continue\n s = u(line).lower().split(' ')[0].rstrip()\n if s == '' or s.startswith('//'):\n continue\n maxlabel = max(maxlabel, s.count('.') + 1)\n publicsuffix.add(s)\n if accept_encoded_idn:\n e = encode_idn(s.lstrip('!'))\n if s[0] == '!':\n publicsuffix.add('!' + e)\n else:\n publicsuffix.add(e)\n self._publicsuffix = frozenset(publicsuffix)\n self._maxlabel = maxlabel\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(self, domain, accept_unknown=None): if accept_unknown is None: accept_unknown = self.accept_unknown if not isinstance(domain, basestr): raise TypeError() labels = domain.lower().rsplit('.', self._maxlabel + 2) ll = len(labels) if '\x00' in domain or '' in labels: return None if ll <= 1: return None for i in range(max(0, ll - self._maxlabel), ll): s = '.'.join(labels[i:]) if i > 0 and '!*.' + s in self._publicsuffix: return '.'.join(labels[i - 1:]) if '!' + s in self._publicsuffix: return s if i > 0 and '*.' + s in self._publicsuffix: if i <= 1: return None else: return '.'.join(labels[i - 2:]) if s in self._publicsuffix: if i > 0: return '.'.join(labels[i - 1:]) else: return None else: if self.accept_unknown and ll >= 2: return '.'.join(labels[-2:]) else: return None
privatesuffix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain, accept_unknown=None):\n if accept_unknown is None:\n accept_unknown = self.accept_unknown\n if not isinstance(domain, basestr):\n raise TypeError()\n labels = domain.lower().rsplit('.', self._maxlabel + 2)\n ll = len(labels)\n if '\\x00' in domain or '' in labels:\n return None\n if ll <= 1:\n return None\n for i in range(max(0, ll - self._maxlabel), ll):\n s = '.'.join(labels[i:])\n if i > 0 and '!*.' + s in self._publicsuffix:\n return '.'.join(labels[i - 1:])\n if '!' + s in self._publicsuffix:\n return s\n if i > 0 and '*.' + s in self._publicsuffix:\n if i <= 1:\n return None\n else:\n return '.'.join(labels[i - 2:])\n if s in self._publicsuffix:\n if i > 0:\n return '.'.join(labels[i - 1:])\n else:\n return None\n else:\n if self.accept_unknown and ll >= 2:\n return '.'.join(labels[-2:])\n else:\n return None\n", "role": "user" }, { "content": "privatesuffix", "role": "assistant" } ]
def x(self, domain): s = self.privatesuffix(domain) if s is None: return None else: pre = domain[0:-(len(s) + 1)] if pre == '': return s, else: return tuple(pre.split('.') + [s])
privateparts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain):\n s = self.privatesuffix(domain)\n if s is None:\n return None\n else:\n pre = domain[0:-(len(s) + 1)]\n if pre == '':\n return s,\n else:\n return tuple(pre.split('.') + [s])\n", "role": "user" }, { "content": "privateparts", "role": "assistant" } ]
def x(self, domain, depth): p = self.privateparts(domain) if p is None or depth > len(p) - 1: return None else: return '.'.join(p[-(depth + 1):])
subdomain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, domain, depth):\n p = self.privateparts(domain)\n if p is None or depth > len(p) - 1:\n return None\n else:\n return '.'.join(p[-(depth + 1):])\n", "role": "user" }, { "content": "subdomain", "role": "assistant" } ]
def x(psl_file=PSLFILE): if requests is None: raise Exception( 'Please install python-requests http(s) library. $ sudo pip install requests' ) r = requests.get(PSLURL) if r.status_code != requests.codes.ok or len(r.content) == 0: raise Exception('Could not download PSL from ' + PSLURL) lastmod = r.headers.get('last-modified', None) f = open(psl_file + '.swp', 'wb') f.write(r.content) f.close() with open(psl_file + '.swp', 'rb') as f: psl = PublicSuffixList(f) os.rename(psl_file + '.swp', psl_file) if lastmod: t = time.mktime(parsedate(lastmod)) os.utime(psl_file, (t, t)) print('PSL updated') if lastmod: print('last-modified: ' + lastmod)
updatePSL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(psl_file=PSLFILE):\n if requests is None:\n raise Exception(\n 'Please install python-requests http(s) library. $ sudo pip install requests'\n )\n r = requests.get(PSLURL)\n if r.status_code != requests.codes.ok or len(r.content) == 0:\n raise Exception('Could not download PSL from ' + PSLURL)\n lastmod = r.headers.get('last-modified', None)\n f = open(psl_file + '.swp', 'wb')\n f.write(r.content)\n f.close()\n with open(psl_file + '.swp', 'rb') as f:\n psl = PublicSuffixList(f)\n os.rename(psl_file + '.swp', psl_file)\n if lastmod:\n t = time.mktime(parsedate(lastmod))\n os.utime(psl_file, (t, t))\n print('PSL updated')\n if lastmod:\n print('last-modified: ' + lastmod)\n", "role": "user" }, { "content": "updatePSL", "role": "assistant" } ]
def x(self, tokensource): source = self._format_lines(tokensource) if self.hl_lines: source = self._highlight_lines(source) if not self.nowrap: if self.linenos == 2: source = self._wrap_inlinelinenos(source) if self.lineanchors: source = self._wrap_lineanchors(source) if self.linespans: source = self._wrap_linespans(source) if self.linenos == 1: source = self._wrap_tablelinenos(source) IS_CODE_INDEX = 0 HTML_VALUE_INDEX = 1 IS_CODE_VAL = 1 source_list = [html_line[HTML_VALUE_INDEX] for html_line in self. _wrap_div(self._wrap_pre(source)) if html_line[IS_CODE_INDEX] == IS_CODE_VAL] return source_list
get_marked_up_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tokensource):\n source = self._format_lines(tokensource)\n if self.hl_lines:\n source = self._highlight_lines(source)\n if not self.nowrap:\n if self.linenos == 2:\n source = self._wrap_inlinelinenos(source)\n if self.lineanchors:\n source = self._wrap_lineanchors(source)\n if self.linespans:\n source = self._wrap_linespans(source)\n if self.linenos == 1:\n source = self._wrap_tablelinenos(source)\n IS_CODE_INDEX = 0\n HTML_VALUE_INDEX = 1\n IS_CODE_VAL = 1\n source_list = [html_line[HTML_VALUE_INDEX] for html_line in self.\n _wrap_div(self._wrap_pre(source)) if html_line[IS_CODE_INDEX] ==\n IS_CODE_VAL]\n return source_list\n", "role": "user" }, { "content": "get_marked_up_list", "role": "assistant" } ]
def x(private_key, certificate): if certificate and os.path.isfile(certificate ) and private_key and os.path.isfile(private_key): context = ssl.SSLContext(ssl.PROTOCOL_TLSv1_2) context.load_cert_chain(certificate, private_key) return context return None
get_ssl_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(private_key, certificate):\n if certificate and os.path.isfile(certificate\n ) and private_key and os.path.isfile(private_key):\n context = ssl.SSLContext(ssl.PROTOCOL_TLSv1_2)\n context.load_cert_chain(certificate, private_key)\n return context\n return None\n", "role": "user" }, { "content": "get_ssl_context", "role": "assistant" } ]
def x(self, app): app.config.setdefault('SSLIFY_SUBDOMAINS', False) app.config.setdefault('SSLIFY_PERMANENT', False) app.config.setdefault('SSLIFY_SKIPS', None) self.hsts_include_subdomains = self.hsts_include_subdomains or app.config[ 'SSLIFY_SUBDOMAINS'] self.permanent = self.permanent or self.app.config['SSLIFY_PERMANENT'] self.skip_list = self.skip_list or self.app.config['SSLIFY_SKIPS'] app.before_request(self.redirect_to_ssl) app.after_request(self.set_hsts_header)
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n app.config.setdefault('SSLIFY_SUBDOMAINS', False)\n app.config.setdefault('SSLIFY_PERMANENT', False)\n app.config.setdefault('SSLIFY_SKIPS', None)\n self.hsts_include_subdomains = self.hsts_include_subdomains or app.config[\n 'SSLIFY_SUBDOMAINS']\n self.permanent = self.permanent or self.app.config['SSLIFY_PERMANENT']\n self.skip_list = self.skip_list or self.app.config['SSLIFY_SKIPS']\n app.before_request(self.redirect_to_ssl)\n app.after_request(self.set_hsts_header)\n", "role": "user" }, { "content": "init_app", "role": "assistant" } ]
def x(self, response): if request.is_secure and not self.skip: response.headers.setdefault('Strict-Transport-Security', self. hsts_header) return response
set_hsts_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n if request.is_secure and not self.skip:\n response.headers.setdefault('Strict-Transport-Security', self.\n hsts_header)\n return response\n", "role": "user" }, { "content": "set_hsts_header", "role": "assistant" } ]
def x(): success = None if is_cross_origin(request): logger.warning('Received cross origin request. Aborting') abort(403) if request.method in ['POST', 'PUT']: token = session.get('csrf_token') if token == request.form.get('csrf_token'): return success elif token == request.environ.get('HTTP_X_CSRFTOKEN'): return success else: logger.warning('Received invalid csrf token. Aborting') abort(403)
csrf_protect_all_post_and_cross_origin_requests
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n success = None\n if is_cross_origin(request):\n logger.warning('Received cross origin request. Aborting')\n abort(403)\n if request.method in ['POST', 'PUT']:\n token = session.get('csrf_token')\n if token == request.form.get('csrf_token'):\n return success\n elif token == request.environ.get('HTTP_X_CSRFTOKEN'):\n return success\n else:\n logger.warning('Received invalid csrf token. Aborting')\n abort(403)\n", "role": "user" }, { "content": "csrf_protect_all_post_and_cross_origin_requests", "role": "assistant" } ]
def x(request): origin = request.environ.get('HTTP_ORIGIN') host = request.environ.get('HTTP_HOST') if origin is None: return False if origin.startswith('http://'): origin = origin.replace('http://', '') elif origin.startswith('https://'): origin = origin.replace('https://', '') return host != origin
is_cross_origin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n origin = request.environ.get('HTTP_ORIGIN')\n host = request.environ.get('HTTP_HOST')\n if origin is None:\n return False\n if origin.startswith('http://'):\n origin = origin.replace('http://', '')\n elif origin.startswith('https://'):\n origin = origin.replace('https://', '')\n return host != origin\n", "role": "user" }, { "content": "is_cross_origin", "role": "assistant" } ]
def x(f): @wraps(f) def x(*args, **kwargs): token = session.get('csrf_token', None) if token is None or token != request.environ.get('HTTP_X_CSRFTOKEN'): logger.warning('Received invalid csrf token. Aborting') abort(403) return f(*args, **kwargs) return wrapper
csrf_protect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n token = session.get('csrf_token', None)\n if token is None or token != request.environ.get('HTTP_X_CSRFTOKEN'):\n logger.warning('Received invalid csrf token. Aborting')\n abort(403)\n return f(*args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "csrf_protect", "role": "assistant" } ]
def x(serve=True, host=DEFAULT_HOST, port=DEFAULT_PORT, debug=False, open_browser=True, browsername=None, testing=False, private_key=None, certificate=None, LLDB=False): app.config['LLDB'] = LLDB kwargs = {} ssl_context = get_ssl_context(private_key, certificate) if ssl_context: SSLify(app) kwargs['ssl_context'] = ssl_context url = '%s:%s' % (host, port) if kwargs.get('ssl_context'): protocol = 'https://' url_with_prefix = 'https://' + url else: protocol = 'http://' url_with_prefix = 'http://' + url if debug: async_mode = 'eventlet' else: async_mode = 'gevent' socketio.server_options['async_mode'] = async_mode try: socketio.init_app(app) except Exception: print( 'failed to initialize socketio app with async mode "%s". Continuing with async mode "threading".' % async_mode) socketio.server_options['async_mode'] = 'threading' socketio.init_app(app) if testing is False: if host == DEFAULT_HOST: url = DEFAULT_HOST, port else: try: url = socket.gethostbyname(socket.gethostname()), port except Exception: url = host, port if open_browser is True and debug is False: browsertext = repr(browsername ) if browsername else 'default browser' args = (browsertext,) + url text = ('Opening gdbgui with %s at ' + protocol + '%s:%d') % args print(colorize(text)) b = webbrowser.get(browsername) if browsername else webbrowser b.open(url_with_prefix) else: print(colorize('View gdbgui at %s%s:%d' % (protocol, url[0], url[1]))) print('exit gdbgui by pressing CTRL+C') try: socketio.run(app, debug=debug, port=int(port), host=host, extra_files=get_extra_files(), **kwargs) except KeyboardInterrupt: pass
setup_backend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(serve=True, host=DEFAULT_HOST, port=DEFAULT_PORT, debug=False,\n open_browser=True, browsername=None, testing=False, private_key=None,\n certificate=None, LLDB=False):\n app.config['LLDB'] = LLDB\n kwargs = {}\n ssl_context = get_ssl_context(private_key, certificate)\n if ssl_context:\n SSLify(app)\n kwargs['ssl_context'] = ssl_context\n url = '%s:%s' % (host, port)\n if kwargs.get('ssl_context'):\n protocol = 'https://'\n url_with_prefix = 'https://' + url\n else:\n protocol = 'http://'\n url_with_prefix = 'http://' + url\n if debug:\n async_mode = 'eventlet'\n else:\n async_mode = 'gevent'\n socketio.server_options['async_mode'] = async_mode\n try:\n socketio.init_app(app)\n except Exception:\n print(\n 'failed to initialize socketio app with async mode \"%s\". Continuing with async mode \"threading\".'\n % async_mode)\n socketio.server_options['async_mode'] = 'threading'\n socketio.init_app(app)\n if testing is False:\n if host == DEFAULT_HOST:\n url = DEFAULT_HOST, port\n else:\n try:\n url = socket.gethostbyname(socket.gethostname()), port\n except Exception:\n url = host, port\n if open_browser is True and debug is False:\n browsertext = repr(browsername\n ) if browsername else 'default browser'\n args = (browsertext,) + url\n text = ('Opening gdbgui with %s at ' + protocol + '%s:%d') % args\n print(colorize(text))\n b = webbrowser.get(browsername) if browsername else webbrowser\n b.open(url_with_prefix)\n else:\n print(colorize('View gdbgui at %s%s:%d' % (protocol, url[0],\n url[1])))\n print('exit gdbgui by pressing CTRL+C')\n try:\n socketio.run(app, debug=debug, port=int(port), host=host,\n extra_files=get_extra_files(), **kwargs)\n except KeyboardInterrupt:\n pass\n", "role": "user" }, { "content": "setup_backend", "role": "assistant" } ]