source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(names=None): if names is None: _listener.start_if_necessary() with _pressed_events_lock: names = [e.name for e in _pressed_events.values()] else: names = [normalize_name(name) for name in names] clean_names = set(e.replace('left ', '').replace('right ', '').replace( '+', 'plus') for e in names) modifiers = ['ctrl', 'alt', 'shift', 'windows'] sorting_key = lambda k: (modifiers.index(k) if k in modifiers else 5, str(k)) return '+'.join(sorted(clean_names, key=sorting_key))
get_hotkey_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(names=None):\n if names is None:\n _listener.start_if_necessary()\n with _pressed_events_lock:\n names = [e.name for e in _pressed_...
def x(suppress=False): queue = _queue.Queue(maxsize=1) hooked = hook(queue.put, suppress=suppress) while True: event = queue.get() unhook(hooked) return event
read_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(suppress=False):\n queue = _queue.Queue(maxsize=1)\n hooked = hook(queue.put, suppress=suppress)\n while True:\n event = queue.get()\n u...
def x(suppress=False): event = read_event(suppress) return event.name or event.scan_code
read_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(suppress=False):\n event = read_event(suppress)\n return event.name or event.scan_code\n", "role": "user" }, { "content": "read_key", "ro...
def x(suppress=True): queue = _queue.Queue() fn = lambda e: queue.put(e) or e.event_type == KEY_DOWN hooked = hook(fn, suppress=suppress) while True: event = queue.get() if event.event_type == KEY_UP: unhook(hooked) with _pressed_events_lock: names = [e.name for e in _pressed_events.values()] + [event .name] return get_hotkey_name(names)
read_hotkey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(suppress=True):\n queue = _queue.Queue()\n fn = lambda e: queue.put(e) or e.event_type == KEY_DOWN\n hooked = hook(fn, suppress=suppress)\n while T...
def x(events, allow_backspace=True): backspace_name = 'delete' if _platform.system( ) == 'Darwin' else 'backspace' shift_pressed = False capslock_pressed = False string = '' for event in events: name = event.name if event.name == 'space': name = ' ' if 'shift' in event.name: shift_pressed = event.event_type == 'down' elif event.name == 'caps lock' and event.event_type == 'down': capslock_pressed = not capslock_pressed elif allow_backspace and event.name == backspace_name and event.event_type == 'down': string = string[:-1] elif event.event_type == 'down': if len(name) == 1: if shift_pressed ^ capslock_pressed: name = name.upper() string = string + name else: yield string string = '' yield string
get_typed_strings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(events, allow_backspace=True):\n backspace_name = 'delete' if _platform.system(\n ) == 'Darwin' else 'backspace'\n shift_pressed = False\n caps...
def x(recorded_events_queue=None): recorded_events_queue = recorded_events_queue or _queue.Queue() global _recording _recording = recorded_events_queue, hook(recorded_events_queue.put) return _recording
start_recording
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recorded_events_queue=None):\n recorded_events_queue = recorded_events_queue or _queue.Queue()\n global _recording\n _recording = recorded_events_queu...
def x(): global _recording if not _recording: raise ValueError('Must call "start_recording" before.') recorded_events_queue, hooked = _recording unhook(hooked) return list(recorded_events_queue.queue)
stop_recording
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _recording\n if not _recording:\n raise ValueError('Must call \"start_recording\" before.')\n recorded_events_queue, hooked = _reco...
def x(until='escape', suppress=False, trigger_on_release=False): start_recording() wait(until, suppress=suppress, trigger_on_release=trigger_on_release) return stop_recording()
record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(until='escape', suppress=False, trigger_on_release=False):\n start_recording()\n wait(until, suppress=suppress, trigger_on_release=trigger_on_release)\n ...
def x(events, speed_factor=1.0): state = stash_state() last_time = None for event in events: if speed_factor > 0 and last_time is not None: _time.sleep((event.time - last_time) / speed_factor) last_time = event.time key = event.scan_code or event.name press(key) if event.event_type == KEY_DOWN else release(key) restore_modifiers(state)
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(events, speed_factor=1.0):\n state = stash_state()\n last_time = None\n for event in events:\n if speed_factor > 0 and last_time is not None:\n...
def x(word, callback, triggers=['space'], match_suffix=False, timeout=2): state = _State() state.current = '' state.time = -1 def x(event): name = event.name if event.event_type == KEY_UP or name in all_modifiers: return if timeout and event.time - state.time > timeout: state.current = '' state.time = event.time matched = (state.current == word or match_suffix and state.current. endswith(word)) if name in triggers and matched: callback() state.current = '' elif len(name) > 1: state.current = '' else: state.current += name hooked = hook(handler) def x(): hooked() del _word_listeners[word] del _word_listeners[handler] del _word_listeners[remove] _word_listeners[word] = _word_listeners[handler] = _word_listeners[remove ] = remove return remove
add_word_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(word, callback, triggers=['space'], match_suffix=False, timeout=2):\n state = _State()\n state.current = ''\n state.time = -1\n\n def x(event):\n ...
def x(source_text, replacement_text, match_suffix=False, timeout=2): replacement = '\x08' * (len(source_text) + 1) + replacement_text callback = lambda : write(replacement) return add_word_listener(source_text, callback, match_suffix= match_suffix, timeout=timeout)
add_abbreviation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_text, replacement_text, match_suffix=False, timeout=2):\n replacement = '\\x08' * (len(source_text) + 1) + replacement_text\n callback = lambda : ...
def x(self, event): if self.is_replaying: return True if not all(hook(event) for hook in self.blocking_hooks): return False event_type = event.event_type scan_code = event.scan_code with _pressed_events_lock: if event_type == KEY_DOWN: if is_modifier(scan_code): self.active_modifiers.add(scan_code) _pressed_events[scan_code] = event hotkey = tuple(sorted(_pressed_events)) if event_type == KEY_UP: self.active_modifiers.discard(scan_code) if scan_code in _pressed_events: del _pressed_events[scan_code] for key_hook in self.blocking_keys[scan_code]: if not key_hook(event): return False accept = True if self.blocking_hotkeys: if self.filtered_modifiers[scan_code]: origin = 'modifier' modifiers_to_update = set([scan_code]) else: modifiers_to_update = self.active_modifiers if is_modifier(scan_code): modifiers_to_update = modifiers_to_update | {scan_code} callback_results = [callback(event) for callback in self. blocking_hotkeys[hotkey]] if callback_results: accept = all(callback_results) origin = 'hotkey' else: origin = 'other' for key in sorted(modifiers_to_update): transition_tuple = self.modifier_states.get(key, 'free' ), event_type, origin should_press, new_accept, new_state = self.transition_table[ transition_tuple] if should_press: press(key) if new_accept is not None: accept = new_accept self.modifier_states[key] = new_state if accept: if event_type == KEY_DOWN: _logically_pressed_keys[scan_code] = event elif event_type == KEY_UP and scan_code in _logically_pressed_keys: del _logically_pressed_keys[scan_code] self.queue.put(event) return accept
direct_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if self.is_replaying:\n return True\n if not all(hook(event) for hook in self.blocking_hooks):\n return False\n event_ty...
def x(): with tables_lock: if to_name: return all_scan_codes = [(sc, user32.MapVirtualKeyExW(sc, MAPVK_VSC_TO_VK_EX, 0)) for sc in range(256)] all_vks = [(user32.MapVirtualKeyExW(vk, MAPVK_VK_TO_VSC_EX, 0), vk) for vk in range(256)] for scan_code, vk in (all_scan_codes + all_vks): if (scan_code, vk, 0, 0, 0) in to_name: continue if scan_code not in scan_code_to_vk: scan_code_to_vk[scan_code] = vk for extended in [0, 1]: for modifiers in distinct_modifiers: entry = scan_code, vk, extended, modifiers names = list(get_event_names(*entry)) if names: lowercase_names = [name.lower() for name in names] to_name[entry] = names + lowercase_names for i, name in enumerate(map(normalize_name, names + lowercase_names)): from_name[name].append((i, entry)) for extended in [0, 1]: for modifiers in distinct_modifiers: to_name[541, 162, extended, modifiers] = ['alt gr'] from_name['alt gr'].append((1, (541, 162, extended, modifiers)) ) modifiers_preference = defaultdict(lambda : 10) modifiers_preference.update({(): 0, ('shift',): 1, ('alt gr',): 2, ( 'ctrl',): 3, ('alt',): 4}) def x(line): i, entry = line scan_code, vk, extended, modifiers = entry return modifiers_preference[modifiers], i, extended, vk, scan_code for name, entries in list(from_name.items()): from_name[name] = sorted(set(entries), key=order_key)
setup_name_tables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with tables_lock:\n if to_name:\n return\n all_scan_codes = [(sc, user32.MapVirtualKeyExW(sc,\n MAPVK_VSC_TO_VK_EX,...
def x(callback): _setup_name_tables() def x(event_type, vk, scan_code, is_extended): global shift_is_pressed, altgr_is_pressed, ignore_next_right_alt if vk == 165 and ignore_next_right_alt: ignore_next_right_alt = False return True modifiers = ('shift',) * shift_is_pressed + ('alt gr', ) * altgr_is_pressed + ('num lock',) * (user32.GetKeyState(144) & 1 ) + ('caps lock',) * (user32.GetKeyState(20) & 1) + ('scroll lock', ) * (user32.GetKeyState(145) & 1) entry = scan_code, vk, is_extended, modifiers if entry not in to_name: to_name[entry] = list(get_event_names(*entry)) names = to_name[entry] name = names[0] if names else None if vk in shift_vks: shift_is_pressed = event_type == KEY_DOWN if scan_code == 541 and vk == 162: ignore_next_right_alt = True altgr_is_pressed = event_type == KEY_DOWN is_keypad = (scan_code, vk, is_extended) in keypad_keys return callback(KeyboardEvent(event_type=event_type, scan_code= scan_code or -vk, name=name, is_keypad=is_keypad)) def x(nCode, wParam, lParam): try: vk = lParam.contents.vk_code fake_alt = LLKHF_INJECTED | 32 if (vk != VK_PACKET and lParam.contents.flags & fake_alt != fake_alt): event_type = keyboard_event_types[wParam] is_extended = lParam.contents.flags & 1 scan_code = lParam.contents.scan_code should_continue = process_key(event_type, vk, scan_code, is_extended) if not should_continue: return -1 except Exception as e: print('Error in keyboard hook:') traceback.print_exc() return CallNextHookEx(None, nCode, wParam, lParam) WH_KEYBOARD_LL = c_int(13) keyboard_callback = LowLevelKeyboardProc(low_level_keyboard_handler) handle = GetModuleHandleW(None) thread_id = DWORD(0) keyboard_hook = SetWindowsHookEx(WH_KEYBOARD_LL, keyboard_callback, handle, thread_id) atexit.register(UnhookWindowsHookEx, keyboard_callback)
prepare_intercept
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callback):\n _setup_name_tables()\n\n def x(event_type, vk, scan_code, is_extended):\n global shift_is_pressed, altgr_is_pressed, ignore_next_righ...
def x(self): self.lock.acquire() try: if not self.listening: self.init() self.listening = True self.listening_thread = Thread(target=self.listen) self.listening_thread.daemon = True self.listening_thread.start() self.processing_thread = Thread(target=self.process) self.processing_thread.daemon = True self.processing_thread.start() finally: self.lock.release()
start_if_necessary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.lock.acquire()\n try:\n if not self.listening:\n self.init()\n self.listening = True\n self.listeni...
def x(self): assert self.queue is not None while True: event = self.queue.get() if self.pre_process_event(event): self.invoke_handlers(event) self.queue.task_done()
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self.queue is not None\n while True:\n event = self.queue.get()\n if self.pre_process_event(event):\n self.invok...
def x(self, handler): while handler in self.handlers: self.handlers.remove(handler)
remove_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler):\n while handler in self.handlers:\n self.handlers.remove(handler)\n", "role": "user" }, { "content": "remove_handler", ...
def x(x, y, absolute=True, duration=0): x = int(x) y = int(y) position_x, position_y = get_position() if not absolute: x = position_x + x y = position_y + y if duration: start_x = position_x start_y = position_y dx = x - start_x dy = y - start_y if dx == 0 and dy == 0: _time.sleep(duration) else: steps = max(1.0, float(int(duration * 120.0))) for i in range(int(steps) + 1): move(start_x + dx * i / steps, start_y + dy * i / steps) _time.sleep(duration / steps) else: _os_mouse.move_to(x, y)
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y, absolute=True, duration=0):\n x = int(x)\n y = int(y)\n position_x, position_y = get_position()\n if not absolute:\n x = position_x + ...
def x(start_x, start_y, end_x, end_y, absolute=True, duration=0): if is_pressed(): release() move(start_x, start_y, absolute, 0) press() move(end_x, end_y, absolute, duration) release()
drag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_x, start_y, end_x, end_y, absolute=True, duration=0):\n if is_pressed():\n release()\n move(start_x, start_y, absolute, 0)\n press()\n ...
def x(callback, args=(), buttons=(LEFT, MIDDLE, RIGHT, X, X2), types=(UP, DOWN, DOUBLE)): if not isinstance(buttons, (tuple, list)): buttons = buttons, if not isinstance(types, (tuple, list)): types = types, def x(event): if isinstance(event, ButtonEvent): if event.event_type in types and event.button in buttons: callback(*args) _listener.add_handler(handler) return handler
on_button
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callback, args=(), buttons=(LEFT, MIDDLE, RIGHT, X, X2), types=(UP,\n DOWN, DOUBLE)):\n if not isinstance(buttons, (tuple, list)):\n buttons = but...
def x(button=LEFT, target_types=(UP, DOWN, DOUBLE)): from threading import Lock lock = Lock() lock.acquire() handler = on_button(lock.release, (), [button], target_types) lock.acquire() _listener.remove_handler(handler)
wait
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(button=LEFT, target_types=(UP, DOWN, DOUBLE)):\n from threading import Lock\n lock = Lock()\n lock.acquire()\n handler = on_button(lock.release, ()...
def x(button=RIGHT, target_types=(DOWN,)): recorded = [] hook(recorded.append) wait(button=button, target_types=target_types) unhook(recorded.append) return recorded
record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(button=RIGHT, target_types=(DOWN,)):\n recorded = []\n hook(recorded.append)\n wait(button=button, target_types=target_types)\n unhook(recorded.app...
def x(events, speed_factor=1.0, include_clicks=True, include_moves=True, include_wheel=True): last_time = None for event in events: if speed_factor > 0 and last_time is not None: _time.sleep((event.time - last_time) / speed_factor) last_time = event.time if isinstance(event, ButtonEvent) and include_clicks: if event.event_type == UP: _os_mouse.release(event.button) else: _os_mouse.press(event.button) elif isinstance(event, MoveEvent) and include_moves: _os_mouse.move_to(event.x, event.y) elif isinstance(event, WheelEvent) and include_wheel: _os_mouse.wheel(event.delta)
play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(events, speed_factor=1.0, include_clicks=True, include_moves=True,\n include_wheel=True):\n last_time = None\n for event in events:\n if speed_...
def x(name): if not name or not isinstance(name, basestring): raise ValueError( 'Can only normalize non-empty string names. Unexpected ' + repr (name)) if len(name) > 1: name = name.lower() if name != '_' and '_' in name: name = name.replace('_', ' ') return canonical_names.get(name, name)
normalize_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n if not name or not isinstance(name, basestring):\n raise ValueError(\n 'Can only normalize non-empty string names. Unexpected ' +...
def x(queue): if not os.geteuid() == 0: raise OSError('Error 13 - Must be run as administrator') listener = MouseEventListener(lambda e: queue.put(e) or is_allowed(e. name, e.event_type == KEY_UP)) t = threading.Thread(target=listener.run, args=()) t.daemon = True t.start()
listen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queue):\n if not os.geteuid() == 0:\n raise OSError('Error 13 - Must be run as administrator')\n listener = MouseEventListener(lambda e: queue.put...
def x(button=LEFT): location = get_position() button_code, button_down, _, _ = _button_mapping[button] e = Quartz.CGEventCreateMouseEvent(None, button_down, location, button_code ) if _last_click['time'] is not None and datetime.datetime.now( ) - _last_click['time'] < datetime.timedelta(seconds=0.3 ) and _last_click['button'] == button and _last_click['position' ] == location: _last_click['click_count'] = min(3, _last_click['click_count'] + 1) else: _last_click['click_count'] = 1 Quartz.CGEventSetIntegerValueField(e, Quartz.kCGMouseEventClickState, _last_click['click_count']) Quartz.CGEventPost(Quartz.kCGHIDEventTap, e) _button_state[button] = True _last_click['time'] = datetime.datetime.now() _last_click['button'] = button _last_click['position'] = location
press
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(button=LEFT):\n location = get_position()\n button_code, button_down, _, _ = _button_mapping[button]\n e = Quartz.CGEventCreateMouseEvent(None, button...
def x(button=LEFT): location = get_position() button_code, _, button_up, _ = _button_mapping[button] e = Quartz.CGEventCreateMouseEvent(None, button_up, location, button_code) if _last_click['time'] is not None and _last_click['time' ] > datetime.datetime.now() - datetime.timedelta(microseconds=300000 ) and _last_click['button'] == button and _last_click['position' ] == location: Quartz.CGEventSetIntegerValueField(e, Quartz. kCGMouseEventClickState, _last_click['click_count']) Quartz.CGEventPost(Quartz.kCGHIDEventTap, e) _button_state[button] = False
release
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(button=LEFT):\n location = get_position()\n button_code, _, button_up, _ = _button_mapping[button]\n e = Quartz.CGEventCreateMouseEvent(None, button_u...
def x(delta=1): location = get_position() e = Quartz.CGEventCreateMouseEvent(None, Quartz.kCGEventScrollWheel, location, Quartz.kCGMouseButtonLeft) e2 = Quartz.CGEventCreateScrollWheelEvent(None, Quartz. kCGScrollEventUnitLine, 1, delta) Quartz.CGEventPost(Quartz.kCGHIDEventTap, e) Quartz.CGEventPost(Quartz.kCGHIDEventTap, e2)
wheel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(delta=1):\n location = get_position()\n e = Quartz.CGEventCreateMouseEvent(None, Quartz.kCGEventScrollWheel,\n location, Quartz.kCGMouseButtonLeft...
def x(x, y): for b in _button_state: if _button_state[b]: e = Quartz.CGEventCreateMouseEvent(None, _button_mapping[b][3], (x, y), _button_mapping[b][0]) break else: e = Quartz.CGEventCreateMouseEvent(None, Quartz.kCGEventMouseMoved, (x, y), Quartz.kCGMouseButtonLeft) Quartz.CGEventPost(Quartz.kCGHIDEventTap, e)
move_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y):\n for b in _button_state:\n if _button_state[b]:\n e = Quartz.CGEventCreateMouseEvent(None, _button_mapping[b][3],\n ...
def x(): e = Quartz.CGEventCreate(None) point = Quartz.CGEventGetLocation(e) return point.x, point.y
get_position
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n e = Quartz.CGEventCreate(None)\n point = Quartz.CGEventGetLocation(e)\n return point.x, point.y\n", "role": "user" }, { "content": "g...
def x(self, character): for vk in self.non_layout_keys: if self.non_layout_keys[vk] == character.lower(): return vk, [] for vk in self.layout_specific_keys: if self.layout_specific_keys[vk][0] == character: return vk, [] elif self.layout_specific_keys[vk][1] == character: return vk, ['shift'] raise ValueError('Unrecognized character: {}'.format(character))
character_to_vk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, character):\n for vk in self.non_layout_keys:\n if self.non_layout_keys[vk] == character.lower():\n return vk, []\n for vk in sel...
def x(self, vk, modifiers=[]): if vk in self.non_layout_keys: return self.non_layout_keys[vk] elif vk in self.layout_specific_keys: if 'shift' in modifiers: return self.layout_specific_keys[vk][1] return self.layout_specific_keys[vk][0] else: raise ValueError('Invalid scan code: {}'.format(vk))
vk_to_character
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vk, modifiers=[]):\n if vk in self.non_layout_keys:\n return self.non_layout_keys[vk]\n elif vk in self.layout_specific_keys:\n if 's...
def x(self, key_code): if key_code >= 128: ev = (NSEvent. otherEventWithType_location_modifierFlags_timestamp_windowNumber_context_subtype_data1_data2_ (14, (0, 0), 2560, 0, 0, 0, 8, key_code - 128 << 16 | 10 << 8, -1)) Quartz.CGEventPost(0, ev.CGEvent()) else: event_flags = 0 if self.current_modifiers['shift']: event_flags += Quartz.kCGEventFlagMaskShift if self.current_modifiers['caps']: event_flags += Quartz.kCGEventFlagMaskAlphaShift if self.current_modifiers['alt']: event_flags += Quartz.kCGEventFlagMaskAlternate if self.current_modifiers['ctrl']: event_flags += Quartz.kCGEventFlagMaskControl if self.current_modifiers['cmd']: event_flags += Quartz.kCGEventFlagMaskCommand if key_code == 55: self.current_modifiers['cmd'] = True elif key_code == 56 or key_code == 60: self.current_modifiers['shift'] = True elif key_code == 57: self.current_modifiers['caps'] = True elif key_code == 58: self.current_modifiers['alt'] = True elif key_code == 59: self.current_modifiers['ctrl'] = True event = Quartz.CGEventCreateKeyboardEvent(None, key_code, True) Quartz.CGEventSetFlags(event, event_flags) Quartz.CGEventPost(Quartz.kCGHIDEventTap, event) time.sleep(0.01)
press
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key_code):\n if key_code >= 128:\n ev = (NSEvent.\n otherEventWithType_location_modifierFlags_timestamp_windowNumber_context_subtype...
def x(self): self.tap = Quartz.CGEventTapCreate(Quartz.kCGSessionEventTap, Quartz. kCGHeadInsertEventTap, Quartz.kCGEventTapOptionDefault, Quartz. CGEventMaskBit(Quartz.kCGEventKeyDown) | Quartz.CGEventMaskBit( Quartz.kCGEventKeyUp) | Quartz.CGEventMaskBit(Quartz. kCGEventFlagsChanged), self.handler, None) loopsource = Quartz.CFMachPortCreateRunLoopSource(None, self.tap, 0) loop = Quartz.CFRunLoopGetCurrent() Quartz.CFRunLoopAddSource(loop, loopsource, Quartz.kCFRunLoopDefaultMode) Quartz.CGEventTapEnable(self.tap, True) while self.listening: Quartz.CFRunLoopRunInMode(Quartz.kCFRunLoopDefaultMode, 5, False)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.tap = Quartz.CGEventTapCreate(Quartz.kCGSessionEventTap, Quartz.\n kCGHeadInsertEventTap, Quartz.kCGEventTapOptionDefault, Quartz.\n ...
def x(name): name = name.lstrip('+') is_keypad = name.startswith('KP_') for mod in ('Meta_', 'Control_', 'dead_', 'KP_'): if name.startswith(mod): name = name[len(mod):] if name == 'Remove': name = 'Delete' elif name == 'Delete': name = 'Backspace' if name.endswith('_r'): name = 'right ' + name[:-2] if name.endswith('_l'): name = 'left ' + name[:-2] return normalize_name(name), is_keypad
cleanup_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n name = name.lstrip('+')\n is_keypad = name.startswith('KP_')\n for mod in ('Meta_', 'Control_', 'dead_', 'KP_'):\n if name.startswith(...
def x(blockStatementExpr, indentStack, indent=True): def x(s, l, t): if l >= len(s): return curCol = col(l, s) if curCol != indentStack[-1]: if curCol > indentStack[-1]: raise ParseFatalException(s, l, 'illegal nesting') raise ParseException(s, l, 'not a peer entry') def x(s, l, t): curCol = col(l, s) if curCol > indentStack[-1]: indentStack.append(curCol) else: raise ParseException(s, l, 'not a subentry') def x(s, l, t): if l >= len(s): return curCol = col(l, s) if not (indentStack and curCol < indentStack[-1] and curCol <= indentStack[-2]): raise ParseException(s, l, 'not an unindent') indentStack.pop() NL = OneOrMore(LineEnd().setWhitespaceChars('\t ').suppress()) INDENT = (Empty() + Empty().setParseAction(checkSubIndent)).setName( 'INDENT') PEER = Empty().setParseAction(checkPeerIndent).setName('') UNDENT = Empty().setParseAction(checkUnindent).setName('UNINDENT') if indent: smExpr = Group(Optional(NL) + INDENT + OneOrMore(PEER + Group( blockStatementExpr) + Optional(NL)) + UNDENT) else: smExpr = Group(Optional(NL) + OneOrMore(PEER + Group( blockStatementExpr) + Optional(NL))) blockStatementExpr.ignore(_bslash + LineEnd()) return smExpr.setName('indented block')
indentedBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(blockStatementExpr, indentStack, indent=True):\n\n def x(s, l, t):\n if l >= len(s):\n return\n curCol = col(l, s)\n if curC...
def x(self): ret = ParseResults(self.__toklist) ret.__tokdict = self.__tokdict.copy() ret.__parent = self.__parent ret.__accumNames.update(self.__accumNames) ret.__name = self.__name return ret
copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = ParseResults(self.__toklist)\n ret.__tokdict = self.__tokdict.copy()\n ret.__parent = self.__parent\n ret.__accumNames.update(self._...
def x(self, doctag=None, namedItemsOnly=False, indent='', formatted=True): nl = '\n' out = [] namedItems = dict((v[1], k) for k, vlist in self.__tokdict.items() for v in vlist) nextLevelIndent = indent + ' ' if not formatted: indent = '' nextLevelIndent = '' nl = '' selfTag = None if doctag is not None: selfTag = doctag elif self.__name: selfTag = self.__name if not selfTag: if namedItemsOnly: return '' else: selfTag = 'ITEM' out += [nl, indent, '<', selfTag, '>'] for i, res in enumerate(self.__toklist): if isinstance(res, ParseResults): if i in namedItems: out += [res.asXML(namedItems[i], namedItemsOnly and doctag is None, nextLevelIndent, formatted)] else: out += [res.asXML(None, namedItemsOnly and doctag is None, nextLevelIndent, formatted)] else: resTag = None if i in namedItems: resTag = namedItems[i] if not resTag: if namedItemsOnly: continue else: resTag = 'ITEM' xmlBodyText = _xml_escape(_ustr(res)) out += [nl, nextLevelIndent, '<', resTag, '>', xmlBodyText, '</', resTag, '>'] out += [nl, indent, '</', selfTag, '>'] return ''.join(out)
asXML
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, doctag=None, namedItemsOnly=False, indent='', formatted=True):\n nl = '\\n'\n out = []\n namedItems = dict((v[1], k) for k, vlist in self.__tokd...
def x(self, instring, maxMatches=_MAX_INT, overlap=False): if not self.streamlined: self.streamline() for e in self.ignoreExprs: e.streamline() if not self.keepTabs: instring = _ustr(instring).expandtabs() instrlen = len(instring) loc = 0 preparseFn = self.preParse parseFn = self._parse ParserElement.resetCache() matches = 0 try: while loc <= instrlen and matches < maxMatches: try: preloc = preparseFn(instring, loc) nextLoc, tokens = parseFn(instring, preloc, callPreParse=False) except ParseException: loc = preloc + 1 else: if nextLoc > loc: matches += 1 yield tokens, preloc, nextLoc if overlap: nextloc = preparseFn(instring, loc) if nextloc > loc: loc = nextLoc else: loc += 1 else: loc = nextLoc else: loc = preloc + 1 except ParseBaseException as exc: if ParserElement.verbose_stacktrace: raise else: raise exc
scanString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instring, maxMatches=_MAX_INT, overlap=False):\n if not self.streamlined:\n self.streamline()\n for e in self.ignoreExprs:\n e.stream...
def x(self, instring): out = [] lastE = 0 self.keepTabs = True try: for t, s, e in self.scanString(instring): out.append(instring[lastE:s]) if t: if isinstance(t, ParseResults): out += t.asList() elif isinstance(t, list): out += t else: out.append(t) lastE = e out.append(instring[lastE:]) out = [o for o in out if o] return ''.join(map(_ustr, _flatten(out))) except ParseBaseException as exc: if ParserElement.verbose_stacktrace: raise else: raise exc
transformString
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, instring):\n out = []\n lastE = 0\n self.keepTabs = True\n try:\n for t, s, e in self.scanString(instring):\n out.append(in...
def x(self, command, reinit_subcommands=0): cmd = self.distribution.reinitialize_command(command, reinit_subcommands) if command in ('install', 'install_lib'): cmd.install_lib = None return cmd
reinitialize_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, reinit_subcommands=0):\n cmd = self.distribution.reinitialize_command(command, reinit_subcommands)\n if command in ('install', 'install_li...
def x(p1, p2): both_exist = os.path.exists(p1) and os.path.exists(p2) use_samefile = hasattr(os.path, 'samefile') and both_exist if use_samefile: return os.path.samefile(p1, p2) norm_p1 = os.path.normpath(os.path.normcase(p1)) norm_p2 = os.path.normpath(os.path.normcase(p2)) return norm_p1 == norm_p2
samefile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p1, p2):\n both_exist = os.path.exists(p1) and os.path.exists(p2)\n use_samefile = hasattr(os.path, 'samefile') and both_exist\n if use_samefile:\n ...
def x(): sitedirs = [] sitedirs.extend(_pythonpath()) prefixes = [sys.prefix] if sys.exec_prefix != sys.prefix: prefixes.append(sys.exec_prefix) for prefix in prefixes: if prefix: if sys.platform in ('os2emx', 'riscos'): sitedirs.append(os.path.join(prefix, 'Lib', 'site-packages')) elif os.sep == '/': sitedirs.extend([os.path.join(prefix, 'lib', 'python' + sys .version[:3], 'site-packages'), os.path.join(prefix, 'lib', 'site-python')]) else: sitedirs.extend([prefix, os.path.join(prefix, 'lib', 'site-packages')]) if sys.platform == 'darwin': if 'Python.framework' in prefix: home = os.environ.get('HOME') if home: home_sp = os.path.join(home, 'Library', 'Python', sys.version[:3], 'site-packages') sitedirs.append(home_sp) lib_paths = get_path('purelib'), get_path('platlib') for site_lib in lib_paths: if site_lib not in sitedirs: sitedirs.append(site_lib) if site.ENABLE_USER_SITE: sitedirs.append(site.USER_SITE) try: sitedirs.extend(site.getsitepackages()) except AttributeError: pass sitedirs = list(map(normalize_path, sitedirs)) return sitedirs
get_site_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n sitedirs = []\n sitedirs.extend(_pythonpath())\n prefixes = [sys.prefix]\n if sys.exec_prefix != sys.prefix:\n prefixes.append(sys.exec...
def x(inputs): seen = {} for dirname in inputs: dirname = normalize_path(dirname) if dirname in seen: continue seen[dirname] = 1 if not os.path.isdir(dirname): continue files = os.listdir(dirname) yield dirname, files for name in files: if not name.endswith('.pth'): continue if name in ('easy-install.pth', 'setuptools.pth'): continue f = open(os.path.join(dirname, name)) lines = list(yield_lines(f)) f.close() for line in lines: if not line.startswith('import'): line = normalize_path(line.rstrip()) if line not in seen: seen[line] = 1 if not os.path.isdir(line): continue yield line, os.listdir(line)
expand_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputs):\n seen = {}\n for dirname in inputs:\n dirname = normalize_path(dirname)\n if dirname in seen:\n continue\n seen...
def x(exe_filename): prefixes = [('PURELIB/', ''), ('PLATLIB/pywin32_system32', ''), ( 'PLATLIB/', ''), ('SCRIPTS/', 'EGG-INFO/scripts/'), ( 'DATA/lib/site-packages', '')] z = zipfile.ZipFile(exe_filename) try: for info in z.infolist(): name = info.filename parts = name.split('/') if len(parts) == 3 and parts[2] == 'PKG-INFO': if parts[1].endswith('.egg-info'): prefixes.insert(0, ('/'.join(parts[:2]), 'EGG-INFO/')) break if len(parts) != 2 or not name.endswith('.pth'): continue if name.endswith('-nspkg.pth'): continue if parts[0].upper() in ('PURELIB', 'PLATLIB'): contents = z.read(name) if six.PY3: contents = contents.decode() for pth in yield_lines(contents): pth = pth.strip().replace('\\', '/') if not pth.startswith('import'): prefixes.append(('%s/%s/' % (parts[0], pth), '')) finally: z.close() prefixes = [(x.lower(), y) for x, y in prefixes] prefixes.sort() prefixes.reverse() return prefixes
get_exe_prefixes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe_filename):\n prefixes = [('PURELIB/', ''), ('PLATLIB/pywin32_system32', ''), (\n 'PLATLIB/', ''), ('SCRIPTS/', 'EGG-INFO/scripts/'), (\n '...
def x(): if isinstance(first_line_re.pattern, str): return first_line_re return re.compile(first_line_re.pattern.decode())
first_line_re
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if isinstance(first_line_re.pattern, str):\n return first_line_re\n return re.compile(first_line_re.pattern.decode())\n", "role": "user" ...
def x(dist_path, fix_zipimporter_caches): normalized_path = normalize_path(dist_path) _uncache(normalized_path, sys.path_importer_cache) if fix_zipimporter_caches: _replace_zip_directory_cache_data(normalized_path) else: _remove_and_clear_zip_directory_cache_data(normalized_path)
update_dist_caches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dist_path, fix_zipimporter_caches):\n normalized_path = normalize_path(dist_path)\n _uncache(normalized_path, sys.path_importer_cache)\n if fix_zipimp...
def x(normalized_path, cache): result = [] prefix_len = len(normalized_path) for p in cache: np = normalize_path(p) if np.startswith(normalized_path) and np[prefix_len:prefix_len + 1 ] in (os.sep, ''): result.append(p) return result
collect_zipimporter_cache_entries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(normalized_path, cache):\n result = []\n prefix_len = len(normalized_path)\n for p in cache:\n np = normalize_path(p)\n if np.startswith...
def x(text, filename='<string>'): try: compile(text, filename, 'exec') except (SyntaxError, TypeError): return False else: return True
is_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, filename='<string>'):\n try:\n compile(text, filename, 'exec')\n except (SyntaxError, TypeError):\n return False\n else:\n ...
def x(executable): try: with io.open(executable, encoding='latin-1') as fp: magic = fp.read(2) except (OSError, IOError): return executable return magic == '#!'
is_sh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(executable):\n try:\n with io.open(executable, encoding='latin-1') as fp:\n magic = fp.read(2)\n except (OSError, IOError):\n re...
def x(script_text, filename): if filename.endswith('.py') or filename.endswith('.pyw'): return True if is_python(script_text, filename): return True if script_text.startswith('#!'): return 'python' in script_text.splitlines()[0].lower() return False
is_python_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script_text, filename):\n if filename.endswith('.py') or filename.endswith('.pyw'):\n return True\n if is_python(script_text, filename):\n ...
def x(type): launcher_fn = '%s.exe' % type if is_64bit(): launcher_fn = launcher_fn.replace('.', '-64.') else: launcher_fn = launcher_fn.replace('.', '-32.') return resource_string('setuptools', launcher_fn)
get_win_launcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type):\n launcher_fn = '%s.exe' % type\n if is_64bit():\n launcher_fn = launcher_fn.replace('.', '-64.')\n else:\n launcher_fn = launche...
def x(): ver = sys.version[:3] dist = get_distribution('setuptools') tmpl = 'setuptools {dist.version} from {dist.location} (Python {ver})' print(tmpl.format(**locals())) raise SystemExit()
render_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n ver = sys.version[:3]\n dist = get_distribution('setuptools')\n tmpl = 'setuptools {dist.version} from {dist.location} (Python {ver})'\n print...
def x(self): if not self.user or not site.ENABLE_USER_SITE: return self.create_home_path() if self.install_userbase is None: msg = 'User base directory is not specified' raise DistutilsPlatformError(msg) self.install_base = self.install_platbase = self.install_userbase scheme_name = os.name.replace('posix', 'unix') + '_user' self.select_scheme(scheme_name)
fix_install_dir_for_user_site
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.user or not site.ENABLE_USER_SITE:\n return\n self.create_home_path()\n if self.install_userbase is None:\n msg = '...
def x(self): instdir = self.install_dir log.info('Checking .pth file support in %s', instdir) pth_file = self.pseudo_tempname() + '.pth' ok_file = pth_file + '.ok' ok_exists = os.path.exists(ok_file) tmpl = _one_liner( """ import os f = open({ok_file!r}, 'w') f.write('OK') f.close() """ ) + '\n' try: if ok_exists: os.unlink(ok_file) dirname = os.path.dirname(ok_file) pkg_resources.py31compat.makedirs(dirname, exist_ok=True) f = open(pth_file, 'w') except (OSError, IOError): self.cant_write_to_target() else: try: f.write(tmpl.format(**locals())) f.close() f = None executable = sys.executable if os.name == 'nt': dirname, basename = os.path.split(executable) alt = os.path.join(dirname, 'pythonw.exe') use_alt = basename.lower() == 'python.exe' and os.path.exists( alt) if use_alt: executable = alt from distutils.spawn import spawn spawn([executable, '-E', '-c', 'pass'], 0) if os.path.exists(ok_file): log.info('TEST PASSED: %s appears to support .pth files', instdir) return True finally: if f: f.close() if os.path.exists(ok_file): os.unlink(ok_file) if os.path.exists(pth_file): os.unlink(pth_file) if not self.multi_version: log.warn('TEST FAILED: %s does NOT support .pth files', instdir) return False
check_pth_processing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n instdir = self.install_dir\n log.info('Checking .pth file support in %s', instdir)\n pth_file = self.pseudo_tempname() + '.pth'\n ok_file ...
def x(self, dist): if not self.exclude_scripts and dist.metadata_isdir('scripts'): for script_name in dist.metadata_listdir('scripts'): if dist.metadata_isdir('scripts/' + script_name): continue self.install_script(dist, script_name, dist.get_metadata( 'scripts/' + script_name)) self.install_wrapper_scripts(dist)
install_egg_scripts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dist):\n if not self.exclude_scripts and dist.metadata_isdir('scripts'):\n for script_name in dist.metadata_listdir('scripts'):\n if...
def x(self, name): scheme = INSTALL_SCHEMES[name] for key in SCHEME_KEYS: attrname = 'install_' + key if getattr(self, attrname) is None: setattr(self, attrname, scheme[key])
select_scheme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n scheme = INSTALL_SCHEMES[name]\n for key in SCHEME_KEYS:\n attrname = 'install_' + key\n if getattr(self, attrname) is None:...
def x(self, script_name, contents, mode='t', blockers=()): self.delete_blockers([os.path.join(self.script_dir, x) for x in blockers]) log.info('Installing %s script to %s', script_name, self.script_dir) target = os.path.join(self.script_dir, script_name) self.add_output(target) if self.dry_run: return mask = current_umask() ensure_directory(target) if os.path.exists(target): os.unlink(target) with open(target, 'w' + mode) as f: f.write(contents) chmod(target, 511 - mask)
write_script
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, script_name, contents, mode='t', blockers=()):\n self.delete_blockers([os.path.join(self.script_dir, x) for x in blockers])\n log.info('Installing ...
def x(self, dist_filename, egg_tmp): prefixes = get_exe_prefixes(dist_filename) to_compile = [] native_libs = [] top_level = {} def x(src, dst): s = src.lower() for old, new in prefixes: if s.startswith(old): src = new + src[len(old):] parts = src.split('/') dst = os.path.join(egg_tmp, *parts) dl = dst.lower() if dl.endswith('.pyd') or dl.endswith('.dll'): parts[-1] = bdist_egg.strip_module(parts[-1]) top_level[os.path.splitext(parts[0])[0]] = 1 native_libs.append(src) elif dl.endswith('.py') and old != 'SCRIPTS/': top_level[os.path.splitext(parts[0])[0]] = 1 to_compile.append(dst) return dst if not src.endswith('.pth'): log.warn("WARNING: can't process %s", src) return None unpack_archive(dist_filename, egg_tmp, process) stubs = [] for res in native_libs: if res.lower().endswith('.pyd'): parts = res.split('/') resource = parts[-1] parts[-1] = bdist_egg.strip_module(parts[-1]) + '.py' pyfile = os.path.join(egg_tmp, *parts) to_compile.append(pyfile) stubs.append(pyfile) bdist_egg.write_stub(resource, pyfile) self.byte_compile(to_compile) bdist_egg.write_safety_flag(os.path.join(egg_tmp, 'EGG-INFO'), bdist_egg.analyze_egg(egg_tmp, stubs)) for name in ('top_level', 'native_libs'): if locals()[name]: txt = os.path.join(egg_tmp, 'EGG-INFO', name + '.txt') if not os.path.exists(txt): f = open(txt, 'w') f.write('\n'.join(locals()[name]) + '\n') f.close()
exe_to_egg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dist_filename, egg_tmp):\n prefixes = get_exe_prefixes(dist_filename)\n to_compile = []\n native_libs = []\n top_level = {}\n\n def x(src,...
def x(self, req, dist, what='Installed'): msg = '\n%(what)s %(eggloc)s%(extras)s' if self.multi_version and not self.no_report: msg += '\n' + self.__mv_warning if self.install_dir not in map(normalize_path, sys.path): msg += '\n' + self.__id_warning eggloc = dist.location name = dist.project_name version = dist.version extras = '' return msg % locals()
installation_report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, dist, what='Installed'):\n msg = '\\n%(what)s %(eggloc)s%(extras)s'\n if self.multi_version and not self.no_report:\n msg += '\\n' + se...
def x(self, dist): new_path = dist.location not in self.paths and (dist.location not in self.sitedirs or dist.location == os.getcwd()) if new_path: self.paths.append(dist.location) self.dirty = True Environment.add(self, dist)
add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dist):\n new_path = dist.location not in self.paths and (dist.location not in\n self.sitedirs or dist.location == os.getcwd())\n if new_path...
def x(self, dist): while dist.location in self.paths: self.paths.remove(dist.location) self.dirty = True Environment.remove(self, dist)
remove
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dist):\n while dist.location in self.paths:\n self.paths.remove(dist.location)\n self.dirty = True\n Environment.remove(self, dist)\n...
def x(cls, param): if isinstance(param, cls): return param if isinstance(param, list): return cls(param) if param is None: return cls.from_environment() return cls.from_string(param)
from_param
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, param):\n if isinstance(param, cls):\n return param\n if isinstance(param, list):\n return cls(param)\n if param is None:\n ...
def x(cls, string): items = shlex.split(string, **cls.split_args) return cls(items)
from_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n items = shlex.split(string, **cls.split_args)\n return cls(items)\n", "role": "user" }, { "content": "from_string", "role...
def x(orig_script): first = (orig_script + '\n').splitlines()[0] match = _first_line_re().match(first) options = match.group(1) or '' if match else '' return options.strip()
extract_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(orig_script):\n first = (orig_script + '\\n').splitlines()[0]\n match = _first_line_re().match(first)\n options = match.group(1) or '' if match else '...
def x(cls, dist, header=None): if header is None: header = cls.get_header() spec = str(dist.as_requirement()) for type_ in ('console', 'gui'): group = type_ + '_scripts' for name, ep in dist.get_entry_map(group).items(): cls._ensure_safe_name(name) script_text = cls.template % locals() args = cls._get_script_args(type_, name, header, script_text) for res in args: yield res
get_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dist, header=None):\n if header is None:\n header = cls.get_header()\n spec = str(dist.as_requirement())\n for type_ in ('console', 'gui')...
def x(cls): if sys.platform == 'win32' or os.name == 'java' and os._name == 'nt': return WindowsScriptWriter.best() else: return cls
best
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if sys.platform == 'win32' or os.name == 'java' and os._name == 'nt':\n return WindowsScriptWriter.best()\n else:\n return cls\n", ...
def x(cls, script_text='', executable=None): cmd = cls.command_spec_class.best().from_param(executable) cmd.install_options(script_text) return cmd.as_header()
get_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, script_text='', executable=None):\n cmd = cls.command_spec_class.best().from_param(executable)\n cmd.install_options(script_text)\n return cmd.as...
def x(cls): writer_lookup = dict(executable=WindowsExecutableLauncherWriter, natural=cls) launcher = os.environ.get('SETUPTOOLS_LAUNCHER', 'executable') return writer_lookup[launcher]
best
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n writer_lookup = dict(executable=WindowsExecutableLauncherWriter,\n natural=cls)\n launcher = os.environ.get('SETUPTOOLS_LAUNCHER', 'execut...
def x(cls, type_, name, header, script_text): ext = dict(console='.pya', gui='.pyw')[type_] if ext not in os.environ['PATHEXT'].lower().split(';'): msg = ( '{ext} not listed in PATHEXT; scripts will not be recognized as executables.' .format(**locals())) warnings.warn(msg, UserWarning) old = ['.pya', '.py', '-script.py', '.pyc', '.pyo', '.pyw', '.exe'] old.remove(ext) header = cls._adjust_header(type_, header) blockers = [(name + x) for x in old] yield name + ext, header + script_text, 't', blockers
get_script_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, type_, name, header, script_text):\n ext = dict(console='.pya', gui='.pyw')[type_]\n if ext not in os.environ['PATHEXT'].lower().split(';'):\n ...
def x(cls, type_, orig_header): pattern = 'pythonw.exe' repl = 'python.exe' if type_ == 'gui': pattern, repl = repl, pattern pattern_ob = re.compile(re.escape(pattern), re.IGNORECASE) new_header = pattern_ob.sub(string=orig_header, repl=repl) return new_header if cls._use_header(new_header) else orig_header
adjust_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, type_, orig_header):\n pattern = 'pythonw.exe'\n repl = 'python.exe'\n if type_ == 'gui':\n pattern, repl = repl, pattern\n pattern_ob ...
def x(cls, type_, name, header, script_text): if type_ == 'gui': launcher_type = 'gui' ext = '-script.pyw' old = ['.pyw'] else: launcher_type = 'cli' ext = '-script.py' old = ['.py', '.pyc', '.pyo'] hdr = cls._adjust_header(type_, header) blockers = [(name + x) for x in old] yield name + ext, hdr + script_text, 't', blockers yield name + '.exe', get_win_launcher(launcher_type), 'b' if not is_64bit(): m_name = name + '.exe.manifest' yield m_name, load_launcher_manifest(name), 't'
get_script_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, type_, name, header, script_text):\n if type_ == 'gui':\n launcher_type = 'gui'\n ext = '-script.pyw'\n old = ['.pyw']\n else:\...
def x(self): try: keyring = __import__('keyring') return keyring.get_password(self.repository, self.username) except Exception: pass
load_password_from_keyring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n keyring = __import__('keyring')\n return keyring.get_password(self.repository, self.username)\n except Exception:\n ...
def x(s): if sys.version_info[0] == 2 and not isinstance(s, str): return s.encode(sys.getfilesystemencoding()) return s
to_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n if sys.version_info[0] == 2 and not isinstance(s, str):\n return s.encode(sys.getfilesystemencoding())\n return s\n", "role": "user" }...
def x(cls): orig = distutils.core.Distribution distutils.core.Distribution = cls try: yield finally: distutils.core.Distribution = orig
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n orig = distutils.core.Distribution\n distutils.core.Distribution = cls\n try:\n yield\n finally:\n distutils.core.Distributio...
def x(): __builtins__ script_name = sys.argv[1] namespace = dict(__file__=script_name, __name__='__main__', __doc__=None) sys.argv[:] = sys.argv[1:] open_ = getattr(tokenize, 'open', open) script = open_(script_name).read() norm_script = script.replace('\\r\\n', '\\n') code = compile(norm_script, script_name, 'exec') exec(code, namespace)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n __builtins__\n script_name = sys.argv[1]\n namespace = dict(__file__=script_name, __name__='__main__', __doc__=None)\n sys.argv[:] = sys.argv[...
def x(self): if not self.py_modules and not self.packages: return if self.py_modules: self.build_modules() if self.packages: self.build_packages() self.build_package_data() self.run_2to3(self.__updated_files, False) self.run_2to3(self.__updated_files, True) self.run_2to3(self.__doctests_2to3, True) self.byte_compile(orig.build_py.get_outputs(self, include_bytecode=0))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.py_modules and not self.packages:\n return\n if self.py_modules:\n self.build_modules()\n if self.packages:\n ...
def x(self): self.analyze_manifest() return list(map(self._get_pkg_data_files, self.packages or ()))
get_data_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.analyze_manifest()\n return list(map(self._get_pkg_data_files, self.packages or ()))\n", "role": "user" }, { "content": "get_da...
def x(self, package, src_dir): patterns = self._get_platform_patterns(self.package_data, package, src_dir) globs_expanded = map(glob, patterns) globs_matches = itertools.chain.from_iterable(globs_expanded) glob_files = filter(os.path.isfile, globs_matches) files = itertools.chain(self.manifest_files.get(package, []), glob_files) return self.exclude_data_files(package, src_dir, files)
find_data_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package, src_dir):\n patterns = self._get_platform_patterns(self.package_data, package, src_dir)\n globs_expanded = map(glob, patterns)\n globs_...
def x(self): for package, src_dir, build_dir, filenames in self.data_files: for filename in filenames: target = os.path.join(build_dir, filename) self.mkpath(os.path.dirname(target)) srcfile = os.path.join(src_dir, filename) outf, copied = self.copy_file(srcfile, target) srcfile = os.path.abspath(srcfile) if copied and srcfile in self.distribution.convert_2to3_doctests: self.__doctests_2to3.append(outf)
build_package_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for package, src_dir, build_dir, filenames in self.data_files:\n for filename in filenames:\n target = os.path.join(build_dir, fi...
def x(self, package, package_dir): try: return self.packages_checked[package] except KeyError: pass init_py = orig.build_py.check_package(self, package, package_dir) self.packages_checked[package] = init_py if not init_py or not self.distribution.namespace_packages: return init_py for pkg in self.distribution.namespace_packages: if pkg == package or pkg.startswith(package + '.'): break else: return init_py with io.open(init_py, 'rb') as f: contents = f.read() if b'declare_namespace' not in contents: raise distutils.errors.DistutilsError( """Namespace package problem: %s is a namespace package, but its __init__.py does not call declare_namespace()! Please fix it. (See the setuptools manual under "Namespace Packages" for details.) \"""" % (package,)) return init_py
check_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package, package_dir):\n try:\n return self.packages_checked[package]\n except KeyError:\n pass\n init_py = orig.build_py.check_pa...
def x(self, package, src_dir, files): files = list(files) patterns = self._get_platform_patterns(self.exclude_package_data, package, src_dir) match_groups = (fnmatch.filter(files, pattern) for pattern in patterns) matches = itertools.chain.from_iterable(match_groups) bad = set(matches) keepers = (fn for fn in files if fn not in bad) return list(_unique_everseen(keepers))
exclude_data_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package, src_dir, files):\n files = list(files)\n patterns = self._get_platform_patterns(self.exclude_package_data,\n package, src_dir)\n ...
def x(spec, package, src_dir): raw_patterns = itertools.chain(spec.get('', []), spec.get(package, [])) return (os.path.join(src_dir, convert_path(pattern)) for pattern in raw_patterns)
get_platform_patterns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(spec, package, src_dir):\n raw_patterns = itertools.chain(spec.get('', []), spec.get(package, []))\n return (os.path.join(src_dir, convert_path(pattern))...
def x(): egg_info_dir = os.path.join(here, 'setuptools.egg-info') if not os.path.exists(egg_info_dir): msg = 'Cannot build setuptools without metadata. Run `bootstrap.py`.' raise RuntimeError(msg)
require_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n egg_info_dir = os.path.join(here, 'setuptools.egg-info')\n if not os.path.exists(egg_info_dir):\n msg = 'Cannot build setuptools without meta...
def x(pkg_filename): root = 'https://files.pythonhosted.org/packages/source' name, sep, rest = pkg_filename.partition('-') parts = root, name[0], name, pkg_filename return '/'.join(parts)
pypi_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pkg_filename):\n root = 'https://files.pythonhosted.org/packages/source'\n name, sep, rest = pkg_filename.partition('-')\n parts = root, name[0], name...
def x(): process_namespace = ctypes.CDLL(None) try: gnu_get_libc_version = process_namespace.gnu_get_libc_version except AttributeError: return None gnu_get_libc_version.restype = ctypes.c_char_p version_str = gnu_get_libc_version() if not isinstance(version_str, str): version_str = version_str.decode('ascii') return version_str
glibc_version_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n process_namespace = ctypes.CDLL(None)\n try:\n gnu_get_libc_version = process_namespace.gnu_get_libc_version\n except AttributeError:\n ...
def x(filename, extract_dir, progress_filter=default_filter, drivers=None): for driver in (drivers or extraction_drivers): try: driver(filename, extract_dir, progress_filter) except UnrecognizedFormat: continue else: return else: raise UnrecognizedFormat('Not a recognized archive type: %s' % filename )
unpack_archive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, extract_dir, progress_filter=default_filter, drivers=None):\n for driver in (drivers or extraction_drivers):\n try:\n driver(fil...
def x(filename, extract_dir, progress_filter=default_filter): if not zipfile.is_zipfile(filename): raise UnrecognizedFormat('%s is not a zip file' % (filename,)) with zipfile.ZipFile(filename) as z: for info in z.infolist(): name = info.filename if name.startswith('/') or '..' in name.split('/'): continue target = os.path.join(extract_dir, *name.split('/')) target = progress_filter(name, target) if not target: continue if name.endswith('/'): ensure_directory(target) else: ensure_directory(target) data = z.read(info.filename) with open(target, 'wb') as f: f.write(data) unix_attributes = info.external_attr >> 16 if unix_attributes: os.chmod(target, unix_attributes)
unpack_zipfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, extract_dir, progress_filter=default_filter):\n if not zipfile.is_zipfile(filename):\n raise UnrecognizedFormat('%s is not a zip file' % (f...
def x(filename, extract_dir, progress_filter=default_filter): try: tarobj = tarfile.open(filename) except tarfile.TarError: raise UnrecognizedFormat( '%s is not a compressed or uncompressed tar file' % (filename,)) with contextlib.closing(tarobj): tarobj.chown = lambda *args: None for member in tarobj: name = member.name if not name.startswith('/') and '..' not in name.split('/'): prelim_dst = os.path.join(extract_dir, *name.split('/')) while member is not None and (member.islnk() or member.issym() ): linkpath = member.linkname if member.issym(): base = posixpath.dirname(member.name) linkpath = posixpath.join(base, linkpath) linkpath = posixpath.normpath(linkpath) member = tarobj._getmember(linkpath) if member is not None and (member.isfile() or member.isdir()): final_dst = progress_filter(name, prelim_dst) if final_dst: if final_dst.endswith(os.sep): final_dst = final_dst[:-1] try: tarobj._extract_member(member, final_dst) except tarfile.ExtractError: pass return True
unpack_tarfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, extract_dir, progress_filter=default_filter):\n try:\n tarobj = tarfile.open(filename)\n except tarfile.TarError:\n raise Unrecog...
def x(version): VC_BASE = 'Software\\%sMicrosoft\\DevDiv\\VCForPython\\%0.1f' key = VC_BASE % ('', version) try: productdir = Reg.get_value(key, 'installdir') except KeyError: try: key = VC_BASE % ('Wow6432Node\\', version) productdir = Reg.get_value(key, 'installdir') except KeyError: productdir = None if productdir: vcvarsall = os.path.os.path.join(productdir, 'vcvarsall.bat') if os.path.isfile(vcvarsall): return vcvarsall return get_unpatched(msvc9_find_vcvarsall)(version)
msvc9_find_vcvarsall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version):\n VC_BASE = 'Software\\\\%sMicrosoft\\\\DevDiv\\\\VCForPython\\\\%0.1f'\n key = VC_BASE % ('', version)\n try:\n productdir = Reg.get...
def x(ver, arch='x86', *args, **kwargs): try: orig = get_unpatched(msvc9_query_vcvarsall) return orig(ver, arch, *args, **kwargs) except distutils.errors.DistutilsPlatformError: pass except ValueError: pass try: return EnvironmentInfo(arch, ver).return_env() except distutils.errors.DistutilsPlatformError as exc: _augment_exception(exc, ver, arch) raise
msvc9_query_vcvarsall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ver, arch='x86', *args, **kwargs):\n try:\n orig = get_unpatched(msvc9_query_vcvarsall)\n return orig(ver, arch, *args, **kwargs)\n except ...
def x(plat_spec): try: return get_unpatched(msvc14_get_vc_env)(plat_spec) except distutils.errors.DistutilsPlatformError: pass try: return EnvironmentInfo(plat_spec, vc_min_ver=14.0).return_env() except distutils.errors.DistutilsPlatformError as exc: _augment_exception(exc, 14.0) raise
msvc14_get_vc_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plat_spec):\n try:\n return get_unpatched(msvc14_get_vc_env)(plat_spec)\n except distutils.errors.DistutilsPlatformError:\n pass\n try:\...
def x(*args, **kwargs): if 'numpy.distutils' in sys.modules: import numpy as np if LegacyVersion(np.__version__) < LegacyVersion('1.11.2'): return np.distutils.ccompiler.gen_lib_options(*args, **kwargs) return get_unpatched(msvc14_gen_lib_options)(*args, **kwargs)
msvc14_gen_lib_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n if 'numpy.distutils' in sys.modules:\n import numpy as np\n if LegacyVersion(np.__version__) < LegacyVersion('1.11.2'):\n ...
def x(exc, version, arch=''): message = exc.args[0] if 'vcvarsall' in message.lower() or 'visual c' in message.lower(): tmpl = 'Microsoft Visual C++ {version:0.1f} is required.' message = tmpl.format(**locals()) msdownload = 'www.microsoft.com/download/details.aspx?id=%d' if version == 9.0: if arch.lower().find('ia64') > -1: message += ' Get it with "Microsoft Windows SDK 7.0": ' message += msdownload % 3138 else: message += ' Get it from http://aka.ms/vcpython27' elif version == 10.0: message += ' Get it with "Microsoft Windows SDK 7.1": ' message += msdownload % 8279 elif version >= 14.0: message += ( ' Get it with "Microsoft Visual C++ Build Tools": https://visualstudio.microsoft.com/downloads/' ) exc.args = message,
augment_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exc, version, arch=''):\n message = exc.args[0]\n if 'vcvarsall' in message.lower() or 'visual c' in message.lower():\n tmpl = 'Microsoft Visual C...
def x(self, hidex86=False, x64=False): return ('' if self.current_cpu == 'x86' and hidex86 else '\\x64' if self.current_cpu == 'amd64' and x64 else '\\%s' % self.current_cpu)
current_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hidex86=False, x64=False):\n return ('' if self.current_cpu == 'x86' and hidex86 else '\\\\x64' if \n self.current_cpu == 'amd64' and x64 else ...
def x(self, hidex86=False, x64=False): return ('' if self.target_cpu == 'x86' and hidex86 else '\\x64' if self .target_cpu == 'amd64' and x64 else '\\%s' % self.target_cpu)
target_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hidex86=False, x64=False):\n return ('' if self.target_cpu == 'x86' and hidex86 else '\\\\x64' if self\n .target_cpu == 'amd64' and x64 else '\...
def x(self, forcex86=False): current = 'x86' if forcex86 else self.current_cpu return '' if self.target_cpu == current else self.target_dir().replace('\\' , '\\%s_' % current)
cross_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, forcex86=False):\n current = 'x86' if forcex86 else self.current_cpu\n return '' if self.target_cpu == current else self.target_dir().replace('\\\\...
def x(self, key, x86=False): node64 = '' if self.pi.current_is_x86() or x86 else 'Wow6432Node' return os.path.join('Software', node64, 'Microsoft', key)
microsoft
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, x86=False):\n node64 = '' if self.pi.current_is_x86() or x86 else 'Wow6432Node'\n return os.path.join('Software', node64, 'Microsoft', key)\n"...
def x(self, key, name): KEY_READ = winreg.KEY_READ openkey = winreg.OpenKey ms = self.microsoft for hkey in self.HKEYS: try: bkey = openkey(hkey, ms(key), 0, KEY_READ) except (OSError, IOError): if not self.pi.current_is_x86(): try: bkey = openkey(hkey, ms(key, True), 0, KEY_READ) except (OSError, IOError): continue else: continue try: return winreg.QueryValueEx(bkey, name)[0] except (OSError, IOError): pass
lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, name):\n KEY_READ = winreg.KEY_READ\n openkey = winreg.OpenKey\n ms = self.microsoft\n for hkey in self.HKEYS:\n try:\n ...
def x(self): ms = self.ri.microsoft vckeys = self.ri.vc, self.ri.vc_for_python, self.ri.vs vc_vers = [] for hkey in self.ri.HKEYS: for key in vckeys: try: bkey = winreg.OpenKey(hkey, ms(key), 0, winreg.KEY_READ) except (OSError, IOError): continue subkeys, values, _ = winreg.QueryInfoKey(bkey) for i in range(values): try: ver = float(winreg.EnumValue(bkey, i)[0]) if ver not in vc_vers: vc_vers.append(ver) except ValueError: pass for i in range(subkeys): try: ver = float(winreg.EnumKey(bkey, i)) if ver not in vc_vers: vc_vers.append(ver) except ValueError: pass return sorted(vc_vers)
find_available_vc_vers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ms = self.ri.microsoft\n vckeys = self.ri.vc, self.ri.vc_for_python, self.ri.vs\n vc_vers = []\n for hkey in self.ri.HKEYS:\n for k...