source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(widget, url_name=None, url_regex=None, time_interval=None): if not hasattr(widget, 'get_updated_content'): raise AttributeError( 'Widget %s must implement get_updated_content method.' % widget) elif not callable(widget.get_updated_content): raise ValueError('get_updated_content in widget %s is not callable' % widget) if url_name is None: if getattr(widget, 'url_name', None) is not None: url_name = widget.url_name else: url_name = widget.__class__.__name__ if url_name in [w.url_name for w in REALTIME_WIDGETS]: raise ValueError( 'URL name %s is already used by another real time widget.' % url_name) if url_regex is None: if getattr(widget, 'url_regex', None) is not None: url_regex = widget.url_regex else: url_regex = sha256(url_name.encode('utf-8')) url_regex = url_regex.hexdigest()[:32] url_regex = 'realtime/' + url_regex if url_regex in [w.url_regex for w in REALTIME_WIDGETS]: raise ValueError( 'URL regex %s is already used by another real time widget.' % url_regex) if time_interval is None: if getattr(widget, 'time_interval', None) is not None: time_interval = widget.time_interval else: time_interval = app_settings.default_time_interval from django.views.generic import View from braces.views import AjaxResponseMixin, JSONResponseMixin class PartialResponse(JSONResponseMixin, AjaxResponseMixin, View): def x(self): return widget.get_updated_content() def x(self, request, *args, **kwargs): return self.get_ajax(request, *args, **kwargs) def x(self, request, *args, **kwargs): return self.render_json_response(self.get_data()) PartialResponse.url_name = url_name PartialResponse.url_regex = url_regex PartialResponse.time_interval = time_interval REALTIME_WIDGETS.append(PartialResponse) if not hasattr(widget, 'url_name'): widget.url_name = url_name if not hasattr(widget, 'url_regex'): widget.url_regex = url_regex if not hasattr(widget, 'time_interval'): widget.time_interval = time_interval return widget
realtime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widget, url_name=None, url_regex=None, time_interval=None):\n if not hasattr(widget, 'get_updated_content'):\n raise AttributeError(\n 'Widget %s must implement get_updated_content method.' % widget)\n elif not callable(widget.get_updated_content):\n raise ValueError('get_updated_content in widget %s is not callable' %\n widget)\n if url_name is None:\n if getattr(widget, 'url_name', None) is not None:\n url_name = widget.url_name\n else:\n url_name = widget.__class__.__name__\n if url_name in [w.url_name for w in REALTIME_WIDGETS]:\n raise ValueError(\n 'URL name %s is already used by another real time widget.' %\n url_name)\n if url_regex is None:\n if getattr(widget, 'url_regex', None) is not None:\n url_regex = widget.url_regex\n else:\n url_regex = sha256(url_name.encode('utf-8'))\n url_regex = url_regex.hexdigest()[:32]\n url_regex = 'realtime/' + url_regex\n if url_regex in [w.url_regex for w in REALTIME_WIDGETS]:\n raise ValueError(\n 'URL regex %s is already used by another real time widget.' %\n url_regex)\n if time_interval is None:\n if getattr(widget, 'time_interval', None) is not None:\n time_interval = widget.time_interval\n else:\n time_interval = app_settings.default_time_interval\n from django.views.generic import View\n from braces.views import AjaxResponseMixin, JSONResponseMixin\n\n\n class PartialResponse(JSONResponseMixin, AjaxResponseMixin, View):\n\n def x(self):\n return widget.get_updated_content()\n\n def x(self, request, *args, **kwargs):\n return self.get_ajax(request, *args, **kwargs)\n\n def x(self, request, *args, **kwargs):\n return self.render_json_response(self.get_data())\n PartialResponse.url_name = url_name\n PartialResponse.url_regex = url_regex\n PartialResponse.time_interval = time_interval\n REALTIME_WIDGETS.append(PartialResponse)\n if not hasattr(widget, 'url_name'):\n widget.url_name = url_name\n if not hasattr(widget, 'url_regex'):\n widget.url_regex = url_regex\n if not hasattr(widget, 'time_interval'):\n widget.time_interval = time_interval\n return widget\n", "role": "user" }, { "content": "realtime", "role": "assistant" } ]
def x(admin_view_func=lambda x: x): from .widgets import REALTIME_WIDGETS return [url(w.url_regex, admin_view_func(w.as_view()), name=w.url_name) for w in REALTIME_WIDGETS]
get_realtime_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(admin_view_func=lambda x: x):\n from .widgets import REALTIME_WIDGETS\n return [url(w.url_regex, admin_view_func(w.as_view()), name=w.url_name) for\n w in REALTIME_WIDGETS]\n", "role": "user" }, { "content": "get_realtime_urls", "role": "assistant" } ]
def x(connection_string): global DB_Session, engine new_database = False if connection_string == 'sqlite://' or not database_exists( connection_string): new_database = True engine = create_engine(connection_string, connect_args={'timeout': 20}) entities.Base.metadata.create_all(engine) DB_Session = sessionmaker(bind=engine) db_path = os.path.dirname(__file__) if new_database: json_file = open(os.path.join(db_path, 'bootstrap.json')) data = json.load(json_file) session = get_session() session.execute('PRAGMA user_version = {0}'.format(beeswarm.server. db.DATABASE_VERSION)) for entry in data['classifications']: c = session.query(Classification).filter(Classification.type == entry['type']).first() if not c: classification = Classification(type=entry['type'], description_short=entry['description_short'], description_long=entry['description_long']) session.add(classification) else: c.description_short = entry['description_short'] c.description_long = entry['description_long'] for username in data['bait_users']: u = session.query(BaitUser).filter(BaitUser.username == username ).first() if not u: logger.debug('Creating default BaitUser: {}'.format(username)) password = data['bait_users'][username] bait_user = BaitUser(username=username, password=password) session.add(bait_user) session.commit() else: result = engine.execute('PRAGMA user_version;') version = result.fetchone()[0] result.close() logger.info('Database is at version {0}.'.format(version)) if version != beeswarm.server.db.DATABASE_VERSION: logger.error( 'Incompatible database version detected. This version of Beeswarm is compatible with database version {0}, but {1} was found. Please delete the database, restart the Beeswarm server and reconnect the drones.' .format(beeswarm.server.db.DATABASE_VERSION, version)) sys.exit(1)
setup_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(connection_string):\n global DB_Session, engine\n new_database = False\n if connection_string == 'sqlite://' or not database_exists(\n connection_string):\n new_database = True\n engine = create_engine(connection_string, connect_args={'timeout': 20})\n entities.Base.metadata.create_all(engine)\n DB_Session = sessionmaker(bind=engine)\n db_path = os.path.dirname(__file__)\n if new_database:\n json_file = open(os.path.join(db_path, 'bootstrap.json'))\n data = json.load(json_file)\n session = get_session()\n session.execute('PRAGMA user_version = {0}'.format(beeswarm.server.\n db.DATABASE_VERSION))\n for entry in data['classifications']:\n c = session.query(Classification).filter(Classification.type ==\n entry['type']).first()\n if not c:\n classification = Classification(type=entry['type'],\n description_short=entry['description_short'],\n description_long=entry['description_long'])\n session.add(classification)\n else:\n c.description_short = entry['description_short']\n c.description_long = entry['description_long']\n for username in data['bait_users']:\n u = session.query(BaitUser).filter(BaitUser.username == username\n ).first()\n if not u:\n logger.debug('Creating default BaitUser: {}'.format(username))\n password = data['bait_users'][username]\n bait_user = BaitUser(username=username, password=password)\n session.add(bait_user)\n session.commit()\n else:\n result = engine.execute('PRAGMA user_version;')\n version = result.fetchone()[0]\n result.close()\n logger.info('Database is at version {0}.'.format(version))\n if version != beeswarm.server.db.DATABASE_VERSION:\n logger.error(\n 'Incompatible database version detected. This version of Beeswarm is compatible with database version {0}, but {1} was found. Please delete the database, restart the Beeswarm server and reconnect the drones.'\n .format(beeswarm.server.db.DATABASE_VERSION, version))\n sys.exit(1)\n", "role": "user" }, { "content": "setup_db", "role": "assistant" } ]
def x(self, channel, term, modes): request = self.dummy_request() request._sock = channel request.modes = modes request.term = term request.username = self.username self.pty_handler(request, self.client_address, self.tcp_server, self. vfs, self.session) self.transport.close()
start_pty_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, channel, term, modes):\n request = self.dummy_request()\n request._sock = channel\n request.modes = modes\n request.term = term\n request.username = self.username\n self.pty_handler(request, self.client_address, self.tcp_server, self.\n vfs, self.session)\n self.transport.close()\n", "role": "user" }, { "content": "start_pty_request", "role": "assistant" } ]
def x(self): poll = self.config['timecheck']['poll'] ntp_poll = self.config['timecheck']['ntp_pool'] while True: clnt = ntplib.NTPClient() try: response = clnt.request(ntp_poll, version=3) diff = response.offset if abs(diff) >= 15: logger.error( 'Timings found to be far off, shutting down drone ({0})' .format(diff)) sys.exit(1) else: logger.debug( 'Polled ntp server and found that drone has {0} seconds offset.' .format(diff)) except (ntplib.NTPException, _socket.error) as ex: logger.warning('Error while polling ntp server: {0}'.format(ex)) gevent.sleep(poll * 60 * 60)
check_time
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n poll = self.config['timecheck']['poll']\n ntp_poll = self.config['timecheck']['ntp_pool']\n while True:\n clnt = ntplib.NTPClient()\n try:\n response = clnt.request(ntp_poll, version=3)\n diff = response.offset\n if abs(diff) >= 15:\n logger.error(\n 'Timings found to be far off, shutting down drone ({0})'\n .format(diff))\n sys.exit(1)\n else:\n logger.debug(\n 'Polled ntp server and found that drone has {0} seconds offset.'\n .format(diff))\n except (ntplib.NTPException, _socket.error) as ex:\n logger.warning('Error while polling ntp server: {0}'.format(ex))\n gevent.sleep(poll * 60 * 60)\n", "role": "user" }, { "content": "check_time", "role": "assistant" } ]
def x(self): for c in handlerbase.HandlerBase.__subclasses__(): cap_name = c.__name__.lower() if cap_name in self.config['capabilities']: port = self.config['capabilities'][cap_name]['port'] options = self.config['capabilities'][cap_name] cap = c(options, self.work_dir) try: if cap_name.endswith('s'): server = StreamServer(('0.0.0.0', port), cap. handle_session, keyfile=self.key, certfile=self.cert) else: server = StreamServer(('0.0.0.0', port), cap.handle_session ) logger.debug('Adding {0} capability with options: {1}'. format(cap_name, options)) self._servers.append(server) server_greenlet = Greenlet(server.start()) self._server_greenlets.append(server_greenlet) except _socket.error as ex: logger.error( 'Could not start {0} server on port {1}. Error: {2}'. format(c.__name__, port, ex)) else: logger.info('Started {0} capability listening on port {1}'. format(c.__name__, port)) stop_if_not_write_workdir(self.work_dir) logger.info('Honeypot running.') gevent.joinall(self._server_greenlets)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for c in handlerbase.HandlerBase.__subclasses__():\n cap_name = c.__name__.lower()\n if cap_name in self.config['capabilities']:\n port = self.config['capabilities'][cap_name]['port']\n options = self.config['capabilities'][cap_name]\n cap = c(options, self.work_dir)\n try:\n if cap_name.endswith('s'):\n server = StreamServer(('0.0.0.0', port), cap.\n handle_session, keyfile=self.key, certfile=self.cert)\n else:\n server = StreamServer(('0.0.0.0', port), cap.handle_session\n )\n logger.debug('Adding {0} capability with options: {1}'.\n format(cap_name, options))\n self._servers.append(server)\n server_greenlet = Greenlet(server.start())\n self._server_greenlets.append(server_greenlet)\n except _socket.error as ex:\n logger.error(\n 'Could not start {0} server on port {1}. Error: {2}'.\n format(c.__name__, port, ex))\n else:\n logger.info('Started {0} capability listening on port {1}'.\n format(c.__name__, port))\n stop_if_not_write_workdir(self.work_dir)\n logger.info('Honeypot running.')\n gevent.joinall(self._server_greenlets)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): for s in self._servers: s.stop() for g in self._server_greenlets: g.kill() logger.info('All workers stopped.')
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for s in self._servers:\n s.stop()\n for g in self._server_greenlets:\n g.kill()\n logger.info('All workers stopped.')\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(work_dir): package_directory = os.path.dirname(os.path.abspath(beeswarm.__file__)) logger.info('Copying data files to workdir.') shutil.copytree(os.path.join(package_directory, 'drones/honeypot/data'), os.path.join(work_dir, 'data/'), ignore=Honeypot._ignore_copy_files)
prepare_environment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(work_dir):\n package_directory = os.path.dirname(os.path.abspath(beeswarm.__file__))\n logger.info('Copying data files to workdir.')\n shutil.copytree(os.path.join(package_directory, 'drones/honeypot/data'),\n os.path.join(work_dir, 'data/'), ignore=Honeypot._ignore_copy_files)\n", "role": "user" }, { "content": "prepare_environment", "role": "assistant" } ]
def x(self): username = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] session = self.create_session(server_host, server_port, honeypot_id) self.sessions[session.id] = session logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'. format('http', server_host, server_port, session.id)) try: url = self._make_url(server_host, '/index.html', server_port) response = self.client.get(url, auth=HTTPBasicAuth(username, password), verify=False) session.did_connect = True if response.status_code == 200: session.add_auth_attempt('plaintext', True, username=username, password=password) session.did_login = True else: session.add_auth_attempt('plaintext', False, username=username, password=password) links = self._get_links(response) while self.sent_requests <= self.max_requests and links: url = random.choice(links) response = self.client.get(url, auth=HTTPBasicAuth(username, password), verify=False) links = self._get_links(response) session.did_complete = True except Exception as err: logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err)))) finally: session.alldone = True session.end_session() self.client.close()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n session = self.create_session(server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'.\n format('http', server_host, server_port, session.id))\n try:\n url = self._make_url(server_host, '/index.html', server_port)\n response = self.client.get(url, auth=HTTPBasicAuth(username,\n password), verify=False)\n session.did_connect = True\n if response.status_code == 200:\n session.add_auth_attempt('plaintext', True, username=username,\n password=password)\n session.did_login = True\n else:\n session.add_auth_attempt('plaintext', False, username=username,\n password=password)\n links = self._get_links(response)\n while self.sent_requests <= self.max_requests and links:\n url = random.choice(links)\n response = self.client.get(url, auth=HTTPBasicAuth(username,\n password), verify=False)\n links = self._get_links(response)\n session.did_complete = True\n except Exception as err:\n logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err))))\n finally:\n session.alldone = True\n session.end_session()\n self.client.close()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, response): html_text = response.text.encode('utf-8') doc = document_fromstring(html_text) links = [] for e in doc.cssselect('a'): links.append(e.get('href'))
get_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n html_text = response.text.encode('utf-8')\n doc = document_fromstring(html_text)\n links = []\n for e in doc.cssselect('a'):\n links.append(e.get('href'))\n", "role": "user" }, { "content": "get_links", "role": "assistant" } ]
def x(server_workdir, drone_workdir): root_logger = logging.getLogger() root_logger.setLevel(logging.DEBUG) formatter = logging.Formatter('%(asctime)-15s (%(name)s) %(message)s') console_log = logging.StreamHandler() console_log.setLevel(logging.INFO) console_log.setFormatter(formatter) root_logger.addHandler(console_log) server_workdir_absolute = os.path.abspath(server_workdir) old_cwd = os.getcwd() os.chdir(server_workdir) server = Server(server_workdir_absolute, None, start_webui=False, customize=False, reset_password=False, max_sessions=0, server_hostname='127.0.0.1') logger.info('Server config has been written to {0}'.format(os.path.join (server_workdir, 'beeswarmcfg.json'))) gevent.spawn(server.start, False) gevent.sleep(2) os.chdir(old_cwd) context = beeswarm.shared.zmq_context database_actor = context.socket(zmq.REQ) database_actor.connect(SocketNames.DATABASE_REQUESTS.value) db_session = database_setup.get_session() drone = Honeypot() protocol_config = ('ftp', 21, {'max_attempts': 3, 'banner': 'Microsoft FTP Server', 'syst_type': 'Windows-NT'}), ('telnet', 23, {'max_attempts': 3}), ('pop3', 110, {'max_attempts': 3}), ('pop3s', 993, {'max_attempts': 3}), ('ssh', 22, {}), ('http', 80, {'banner': 'Microsoft-IIS/5.0'}), ('https', 443, {'banner': 'Microsoft-IIS/5.0'} ), ('smtp', 25, {'banner': 'Microsoft ESMTP MAIL service ready'}), ( 'vnc', 5900, {}) for protocol, port, protocol_specific_data in protocol_config: drone.add_capability(protocol, port, protocol_specific_data) drone.cert_common_name = '*' drone.cert_country = 'US' drone.cert_state = 'None' drone.cert_locality = 'None' drone.cert_organization = 'None' drone.cert_organization_unit = '' db_session.add(drone) db_session.commit() drone_config = send_zmq_request_socket(database_actor, '{0} {1}'.format (Messages.DRONE_CONFIG.value, drone.id)) with open(os.path.join(drone_workdir, 'beeswarmcfg.json'), 'w' ) as drone_config_file: drone_config_file.write(json.dumps(drone_config, indent=4)) logger.info('Drone config has been written to {0}'.format(os.path.join( server_workdir, 'beeswarmcfg.json'))) server.stop()
bootstrap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(server_workdir, drone_workdir):\n root_logger = logging.getLogger()\n root_logger.setLevel(logging.DEBUG)\n formatter = logging.Formatter('%(asctime)-15s (%(name)s) %(message)s')\n console_log = logging.StreamHandler()\n console_log.setLevel(logging.INFO)\n console_log.setFormatter(formatter)\n root_logger.addHandler(console_log)\n server_workdir_absolute = os.path.abspath(server_workdir)\n old_cwd = os.getcwd()\n os.chdir(server_workdir)\n server = Server(server_workdir_absolute, None, start_webui=False,\n customize=False, reset_password=False, max_sessions=0,\n server_hostname='127.0.0.1')\n logger.info('Server config has been written to {0}'.format(os.path.join\n (server_workdir, 'beeswarmcfg.json')))\n gevent.spawn(server.start, False)\n gevent.sleep(2)\n os.chdir(old_cwd)\n context = beeswarm.shared.zmq_context\n database_actor = context.socket(zmq.REQ)\n database_actor.connect(SocketNames.DATABASE_REQUESTS.value)\n db_session = database_setup.get_session()\n drone = Honeypot()\n protocol_config = ('ftp', 21, {'max_attempts': 3, 'banner':\n 'Microsoft FTP Server', 'syst_type': 'Windows-NT'}), ('telnet', 23,\n {'max_attempts': 3}), ('pop3', 110, {'max_attempts': 3}), ('pop3s',\n 993, {'max_attempts': 3}), ('ssh', 22, {}), ('http', 80, {'banner':\n 'Microsoft-IIS/5.0'}), ('https', 443, {'banner': 'Microsoft-IIS/5.0'}\n ), ('smtp', 25, {'banner': 'Microsoft ESMTP MAIL service ready'}), (\n 'vnc', 5900, {})\n for protocol, port, protocol_specific_data in protocol_config:\n drone.add_capability(protocol, port, protocol_specific_data)\n drone.cert_common_name = '*'\n drone.cert_country = 'US'\n drone.cert_state = 'None'\n drone.cert_locality = 'None'\n drone.cert_organization = 'None'\n drone.cert_organization_unit = ''\n db_session.add(drone)\n db_session.commit()\n drone_config = send_zmq_request_socket(database_actor, '{0} {1}'.format\n (Messages.DRONE_CONFIG.value, drone.id))\n with open(os.path.join(drone_workdir, 'beeswarmcfg.json'), 'w'\n ) as drone_config_file:\n drone_config_file.write(json.dumps(drone_config, indent=4))\n logger.info('Drone config has been written to {0}'.format(os.path.join(\n server_workdir, 'beeswarmcfg.json')))\n server.stop()\n", "role": "user" }, { "content": "bootstrap", "role": "assistant" } ]
def x(url): url = copy(make_url(url)) database = url.database if url.drivername.startswith('postgresql'): url.database = 'template1' else: url.database = None engine = sa.create_engine(url) if engine.dialect.name == 'postgresql': text = "SELECT 1 FROM pg_database WHERE datname='%s'" % database return bool(engine.execute(text).scalar()) elif engine.dialect.name == 'mysql': text = ( "SELECT SCHEMA_NAME FROM INFORMATION_SCHEMA.SCHEMATA WHERE SCHEMA_NAME = '%s'" % database) return bool(engine.execute(text).scalar()) elif engine.dialect.name == 'sqlite': return database == ':memory:' or os.path.exists(database) else: text = 'SELECT 1' try: url.database = database engine = sa.create_engine(url) engine.execute(text) return True except (ProgrammingError, OperationalError): return False
database_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n url = copy(make_url(url))\n database = url.database\n if url.drivername.startswith('postgresql'):\n url.database = 'template1'\n else:\n url.database = None\n engine = sa.create_engine(url)\n if engine.dialect.name == 'postgresql':\n text = \"SELECT 1 FROM pg_database WHERE datname='%s'\" % database\n return bool(engine.execute(text).scalar())\n elif engine.dialect.name == 'mysql':\n text = (\n \"SELECT SCHEMA_NAME FROM INFORMATION_SCHEMA.SCHEMATA WHERE SCHEMA_NAME = '%s'\"\n % database)\n return bool(engine.execute(text).scalar())\n elif engine.dialect.name == 'sqlite':\n return database == ':memory:' or os.path.exists(database)\n else:\n text = 'SELECT 1'\n try:\n url.database = database\n engine = sa.create_engine(url)\n engine.execute(text)\n return True\n except (ProgrammingError, OperationalError):\n return False\n", "role": "user" }, { "content": "database_exists", "role": "assistant" } ]
def x(self, work_dir): public_keys_dir = os.path.join(work_dir, 'certificates', 'public_keys') secret_keys_dir = os.path.join(work_dir, 'certificates', 'private_keys') auth = IOLoopAuthenticator() auth.start() auth.allow('127.0.0.1') auth.configure_curve(domain='*', location=public_keys_dir) server_secret_file = os.path.join(secret_keys_dir, 'beeswarm_server.pri') server_public, server_secret = load_certificate(server_secret_file) drone_data_inbound = beeswarm.shared.zmq_context.socket(zmq.PULL) drone_data_inbound.curve_secretkey = server_secret drone_data_inbound.curve_publickey = server_public drone_data_inbound.curve_server = True drone_data_inbound.bind('tcp://*:{0}'.format(self.config['network'][ 'zmq_port'])) drone_data_outbound = beeswarm.shared.zmq_context.socket(zmq.PUB) drone_data_outbound.curve_secretkey = server_secret drone_data_outbound.curve_publickey = server_public drone_data_outbound.curve_server = True drone_data_outbound.bind('tcp://*:{0}'.format(self.config['network'][ 'zmq_command_port'])) drone_data_socket = beeswarm.shared.zmq_context.socket(zmq.PUB) drone_data_socket.bind(SocketNames.DRONE_DATA.value) drone_command_socket = beeswarm.shared.zmq_context.socket(zmq.PULL) drone_command_socket.bind(SocketNames.DRONE_COMMANDS.value) poller = zmq.Poller() poller.register(drone_data_inbound, zmq.POLLIN) poller.register(drone_command_socket, zmq.POLLIN) while True: socks = dict(poller.poll(100)) gevent.sleep() if drone_command_socket in socks and socks[drone_command_socket ] == zmq.POLLIN: data = drone_command_socket.recv() drone_id, _ = data.split(' ', 1) logger.debug('Sending drone command to: {0}'.format(drone_id)) drone_data_outbound.send(data) elif drone_data_inbound in socks and socks[drone_data_inbound ] == zmq.POLLIN: raw_msg = drone_data_inbound.recv() split_data = raw_msg.split(' ', 2) if len(split_data) == 3: topic, drone_id, data = split_data else: data = None topic, drone_id = split_data logger.debug('Received {0} message from {1}.'.format(topic, drone_id)) drone_data_socket.send(raw_msg)
message_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, work_dir):\n public_keys_dir = os.path.join(work_dir, 'certificates', 'public_keys')\n secret_keys_dir = os.path.join(work_dir, 'certificates', 'private_keys')\n auth = IOLoopAuthenticator()\n auth.start()\n auth.allow('127.0.0.1')\n auth.configure_curve(domain='*', location=public_keys_dir)\n server_secret_file = os.path.join(secret_keys_dir, 'beeswarm_server.pri')\n server_public, server_secret = load_certificate(server_secret_file)\n drone_data_inbound = beeswarm.shared.zmq_context.socket(zmq.PULL)\n drone_data_inbound.curve_secretkey = server_secret\n drone_data_inbound.curve_publickey = server_public\n drone_data_inbound.curve_server = True\n drone_data_inbound.bind('tcp://*:{0}'.format(self.config['network'][\n 'zmq_port']))\n drone_data_outbound = beeswarm.shared.zmq_context.socket(zmq.PUB)\n drone_data_outbound.curve_secretkey = server_secret\n drone_data_outbound.curve_publickey = server_public\n drone_data_outbound.curve_server = True\n drone_data_outbound.bind('tcp://*:{0}'.format(self.config['network'][\n 'zmq_command_port']))\n drone_data_socket = beeswarm.shared.zmq_context.socket(zmq.PUB)\n drone_data_socket.bind(SocketNames.DRONE_DATA.value)\n drone_command_socket = beeswarm.shared.zmq_context.socket(zmq.PULL)\n drone_command_socket.bind(SocketNames.DRONE_COMMANDS.value)\n poller = zmq.Poller()\n poller.register(drone_data_inbound, zmq.POLLIN)\n poller.register(drone_command_socket, zmq.POLLIN)\n while True:\n socks = dict(poller.poll(100))\n gevent.sleep()\n if drone_command_socket in socks and socks[drone_command_socket\n ] == zmq.POLLIN:\n data = drone_command_socket.recv()\n drone_id, _ = data.split(' ', 1)\n logger.debug('Sending drone command to: {0}'.format(drone_id))\n drone_data_outbound.send(data)\n elif drone_data_inbound in socks and socks[drone_data_inbound\n ] == zmq.POLLIN:\n raw_msg = drone_data_inbound.recv()\n split_data = raw_msg.split(' ', 2)\n if len(split_data) == 3:\n topic, drone_id, data = split_data\n else:\n data = None\n topic, drone_id = split_data\n logger.debug('Received {0} message from {1}.'.format(topic,\n drone_id))\n drone_data_socket.send(raw_msg)\n", "role": "user" }, { "content": "message_proxy", "role": "assistant" } ]
def x(self): self.started = True if self.app: web_port = self.config['network']['web_port'] logger.info('Starting server listening on port {0}'.format(web_port)) key_file = os.path.join(self.work_dir, 'server.key') cert_file = os.path.join(self.work_dir, 'server.crt') http_server = WSGIServer(('', web_port), self.app, keyfile=key_file, certfile=cert_file) http_server_greenlet = gevent.spawn(http_server.serve_forever) self.greenlets.append(http_server_greenlet) stop_if_not_write_workdir(self.work_dir) logger.info('Server started.') gevent.joinall(self.greenlets)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.started = True\n if self.app:\n web_port = self.config['network']['web_port']\n logger.info('Starting server listening on port {0}'.format(web_port))\n key_file = os.path.join(self.work_dir, 'server.key')\n cert_file = os.path.join(self.work_dir, 'server.crt')\n http_server = WSGIServer(('', web_port), self.app, keyfile=key_file,\n certfile=cert_file)\n http_server_greenlet = gevent.spawn(http_server.serve_forever)\n self.greenlets.append(http_server_greenlet)\n stop_if_not_write_workdir(self.work_dir)\n logger.info('Server started.')\n gevent.joinall(self.greenlets)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, configfile): with open(configfile) as config_file: config = json.load(config_file) return config
get_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, configfile):\n with open(configfile) as config_file:\n config = json.load(config_file)\n return config\n", "role": "user" }, { "content": "get_config", "role": "assistant" } ]
def x(self): curr = datetime.datetime.now().time() if self.start_time <= self.end_time: return self.start_time <= curr <= self.end_time else: return self.start_time <= curr or curr <= self.end_time
time_in_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n curr = datetime.datetime.now().time()\n if self.start_time <= self.end_time:\n return self.start_time <= curr <= self.end_time\n else:\n return self.start_time <= curr or curr <= self.end_time\n", "role": "user" }, { "content": "time_in_range", "role": "assistant" } ]
def x(self): password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] session = self.create_session(server_host, server_port, honeypot_id) self.sessions[session.id] = session logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'. format('vnc', server_host, server_port, session.id)) client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM) try: client_socket.connect((server_host, int(server_port))) session.source_port = client_socket.getsockname()[1] except socket.error as e: logger.debug('Caught exception: {0} ({1})'.format(e, str(type(e)))) else: session.did_connect = True protocol_version = client_socket.recv(1024) client_socket.send(RFB_VERSION) supported_auth_methods = client_socket.recv(1024) if '\x02' in supported_auth_methods: client_socket.send(VNC_AUTH) challenge = client_socket.recv(1024) aligned_password = (password + '\x00' * 8)[:8] des = RFBDes(aligned_password) response = des.encrypt(challenge) client_socket.send(response) auth_status = client_socket.recv(1024) if auth_status == AUTH_SUCCESSFUL: session.add_auth_attempt('des_challenge', True, password= aligned_password) session.did_login = True else: session.add_auth_attempt('des_challenge', False, password= aligned_password) session.did_login = False session.did_complete = True finally: session.alldone = True session.end_session() if client_socket: client_socket.close()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n session = self.create_session(server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'.\n format('vnc', server_host, server_port, session.id))\n client_socket = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n try:\n client_socket.connect((server_host, int(server_port)))\n session.source_port = client_socket.getsockname()[1]\n except socket.error as e:\n logger.debug('Caught exception: {0} ({1})'.format(e, str(type(e))))\n else:\n session.did_connect = True\n protocol_version = client_socket.recv(1024)\n client_socket.send(RFB_VERSION)\n supported_auth_methods = client_socket.recv(1024)\n if '\\x02' in supported_auth_methods:\n client_socket.send(VNC_AUTH)\n challenge = client_socket.recv(1024)\n aligned_password = (password + '\\x00' * 8)[:8]\n des = RFBDes(aligned_password)\n response = des.encrypt(challenge)\n client_socket.send(response)\n auth_status = client_socket.recv(1024)\n if auth_status == AUTH_SUCCESSFUL:\n session.add_auth_attempt('des_challenge', True, password=\n aligned_password)\n session.did_login = True\n else:\n session.add_auth_attempt('des_challenge', False, password=\n aligned_password)\n session.did_login = False\n session.did_complete = True\n finally:\n session.alldone = True\n session.end_session()\n if client_socket:\n client_socket.close()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, server_host, server_port, honeypot_id): protocol = self.__class__.__name__.lower() session = BaitSession(protocol, server_host, server_port, honeypot_id) self.sessions[session.id] = session return session
create_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server_host, server_port, honeypot_id):\n protocol = self.__class__.__name__.lower()\n session = BaitSession(protocol, server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n return session\n", "role": "user" }, { "content": "create_session", "role": "assistant" } ]
def x(self): username = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] command_limit = random.randint(6, 11) session = self.create_session(server_host, server_port, honeypot_id) self.sessions[session.id] = session logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'. format('ftp', server_host, server_port, session.id)) self.file_list = [] try: self.connect() session.did_connect = True self.login(username, password) session.add_auth_attempt('plaintext', True, username=username, password=password) session.did_login = True session.timestamp = datetime.utcnow() except ftplib.error_perm as err: logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err)))) except socket.error as err: logger.debug('Error while communicating: {0} ({1})'.format(err, str (type(err)))) else: command_count = 0 while command_count <= command_limit: command_count += 1 try: self.sense() cmd, param = self.decide() self.act(cmd, param) gevent.sleep(random.uniform(0, 3)) except IndexError: continue session.did_complete = True finally: if self.client.sock is not None: self.client.quit() session.alldone = True session.end_session()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n command_limit = random.randint(6, 11)\n session = self.create_session(server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'.\n format('ftp', server_host, server_port, session.id))\n self.file_list = []\n try:\n self.connect()\n session.did_connect = True\n self.login(username, password)\n session.add_auth_attempt('plaintext', True, username=username,\n password=password)\n session.did_login = True\n session.timestamp = datetime.utcnow()\n except ftplib.error_perm as err:\n logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err))))\n except socket.error as err:\n logger.debug('Error while communicating: {0} ({1})'.format(err, str\n (type(err))))\n else:\n command_count = 0\n while command_count <= command_limit:\n command_count += 1\n try:\n self.sense()\n cmd, param = self.decide()\n self.act(cmd, param)\n gevent.sleep(random.uniform(0, 3))\n except IndexError:\n continue\n session.did_complete = True\n finally:\n if self.client.sock is not None:\n self.client.quit()\n session.alldone = True\n session.end_session()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): cmd_name = random.choice(self.senses) command = getattr(self, cmd_name) self.state['last_command'] = cmd_name command()
sense
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cmd_name = random.choice(self.senses)\n command = getattr(self, cmd_name)\n self.state['last_command'] = cmd_name\n command()\n", "role": "user" }, { "content": "sense", "role": "assistant" } ]
def x(self): next_command_name = random.choice(self.COMMAND_MAP[self.state[ 'last_command']]) param = '' if next_command_name == 'retrieve': param = random.choice(self.state['file_list']) elif next_command_name == 'cwd': param = random.choice(self.state['dir_list']) return next_command_name, param
decide
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n next_command_name = random.choice(self.COMMAND_MAP[self.state[\n 'last_command']])\n param = ''\n if next_command_name == 'retrieve':\n param = random.choice(self.state['file_list'])\n elif next_command_name == 'cwd':\n param = random.choice(self.state['dir_list'])\n return next_command_name, param\n", "role": "user" }, { "content": "decide", "role": "assistant" } ]
def x(self, cmd_name, param): command = getattr(self, cmd_name) if param: command(param) else: command()
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd_name, param):\n command = getattr(self, cmd_name)\n if param:\n command(param)\n else:\n command()\n", "role": "user" }, { "content": "act", "role": "assistant" } ]
def x(self): logger.debug('Sending FTP list command.') self.state['file_list'] = [] self.state['dir_list'] = [] self.client.retrlines('LIST', self._process_list)
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Sending FTP list command.')\n self.state['file_list'] = []\n self.state['dir_list'] = []\n self.client.retrlines('LIST', self._process_list)\n", "role": "user" }, { "content": "list", "role": "assistant" } ]
def x(self, filename): logger.debug('Sending FTP retr command. Filename: {}'.format(filename)) self.client.retrbinary('RETR {}'.format(filename), self._save_file)
retrieve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n logger.debug('Sending FTP retr command. Filename: {}'.format(filename))\n self.client.retrbinary('RETR {}'.format(filename), self._save_file)\n", "role": "user" }, { "content": "retrieve", "role": "assistant" } ]
def x(self, newdir): logger.debug('Sending FTP cwd command. New Workding Directory: {}'. format(newdir)) self.client.cwd(newdir) self.state['current_dir'] = self.client.pwd()
cwd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, newdir):\n logger.debug('Sending FTP cwd command. New Workding Directory: {}'.\n format(newdir))\n self.client.cwd(newdir)\n self.state['current_dir'] = self.client.pwd()\n", "role": "user" }, { "content": "cwd", "role": "assistant" } ]
def x(self, list_line): res = list_line.split(' ', 8) if res[0].startswith('-'): self.state['file_list'].append(res[-1]) if res[0].startswith('d'): self.state['dir_list'].append(res[-1])
process_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, list_line):\n res = list_line.split(' ', 8)\n if res[0].startswith('-'):\n self.state['file_list'].append(res[-1])\n if res[0].startswith('d'):\n self.state['dir_list'].append(res[-1])\n", "role": "user" }, { "content": "process_list", "role": "assistant" } ]
def x(form, field): string = field.data try: begin, end = string.split('-') begin = begin.strip() end = end.strip() begin_hours, begin_min = begin.split(':') end_hours, end_min = end.split(':') assert 0 <= int(begin_hours) <= 23 assert 0 <= int(end_hours) <= 23 assert 0 <= int(begin_min) <= 59 assert 0 <= int(end_min) <= 59 assert begin_hours <= end_hours if begin_hours == end_hours: assert begin_min < end_min except (ValueError, AssertionError): raise ValidationError( 'Make sure the time is in correct format: "hh:mm - hh:mm"')
validate_time_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(form, field):\n string = field.data\n try:\n begin, end = string.split('-')\n begin = begin.strip()\n end = end.strip()\n begin_hours, begin_min = begin.split(':')\n end_hours, end_min = end.split(':')\n assert 0 <= int(begin_hours) <= 23\n assert 0 <= int(end_hours) <= 23\n assert 0 <= int(begin_min) <= 59\n assert 0 <= int(end_min) <= 59\n assert begin_hours <= end_hours\n if begin_hours == end_hours:\n assert begin_min < end_min\n except (ValueError, AssertionError):\n raise ValidationError(\n 'Make sure the time is in correct format: \"hh:mm - hh:mm\"')\n", "role": "user" }, { "content": "validate_time_range", "role": "assistant" } ]
def x(self): logger.info('Starting client.') self.dispatcher_greenlets = [] for _, entry in self.config['baits'].items(): for b in clientbase.ClientBase.__subclasses__(): bait_name = b.__name__.lower() if bait_name in entry: bait_options = entry[bait_name] dispatcher = BaitDispatcher(b, bait_options) dispatcher.start() self.dispatcher_greenlets.append(dispatcher) logger.info('Adding {0} bait'.format(bait_name)) logger.debug('Bait added with options: {0}'.format( bait_options)) gevent.joinall(self.dispatcher_greenlets)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.info('Starting client.')\n self.dispatcher_greenlets = []\n for _, entry in self.config['baits'].items():\n for b in clientbase.ClientBase.__subclasses__():\n bait_name = b.__name__.lower()\n if bait_name in entry:\n bait_options = entry[bait_name]\n dispatcher = BaitDispatcher(b, bait_options)\n dispatcher.start()\n self.dispatcher_greenlets.append(dispatcher)\n logger.info('Adding {0} bait'.format(bait_name))\n logger.debug('Bait added with options: {0}'.format(\n bait_options))\n gevent.joinall(self.dispatcher_greenlets)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): username = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] session = self.create_session(server_host, server_port, honeypot_id) try: logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'. format('pop3', server_host, server_port, session.id)) conn = poplib.POP3_SSL(server_host, server_port) session.source_port = conn.sock.getsockname()[1] banner = conn.getwelcome() session.protocol_data['banner'] = banner session.did_connect = True conn.user(username) conn.pass_(password) session.add_auth_attempt('plaintext', True, username=username, password=password) session.did_login = True session.timestamp = datetime.utcnow() except Exception as err: logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err)))) else: list_entries = conn.list()[1] for entry in list_entries: index, _ = entry.split(' ') conn.retr(index) conn.dele(index) logger.debug('Found and deleted {0} messages on {1}'.format(len( list_entries), server_host)) conn.quit() session.did_complete = True finally: session.alldone = True session.end_session()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n session = self.create_session(server_host, server_port, honeypot_id)\n try:\n logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'.\n format('pop3', server_host, server_port, session.id))\n conn = poplib.POP3_SSL(server_host, server_port)\n session.source_port = conn.sock.getsockname()[1]\n banner = conn.getwelcome()\n session.protocol_data['banner'] = banner\n session.did_connect = True\n conn.user(username)\n conn.pass_(password)\n session.add_auth_attempt('plaintext', True, username=username,\n password=password)\n session.did_login = True\n session.timestamp = datetime.utcnow()\n except Exception as err:\n logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err))))\n else:\n list_entries = conn.list()[1]\n for entry in list_entries:\n index, _ = entry.split(' ')\n conn.retr(index)\n conn.dele(index)\n logger.debug('Found and deleted {0} messages on {1}'.format(len(\n list_entries), server_host))\n conn.quit()\n session.did_complete = True\n finally:\n session.alldone = True\n session.end_session()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, session, db_session, timediff=5): db_session = db_session min_datetime = session.timestamp - timedelta(seconds=timediff) max_datetime = session.timestamp + timedelta(seconds=timediff) match = None classification = db_session.query(Classification).filter(Classification .type == 'pending').one() sessions = db_session.query(Session).options(joinedload(Session. authentication)).filter(Session.protocol == session.protocol).filter( Session.honeypot == session.honeypot).filter(Session.timestamp >= min_datetime).filter(Session.timestamp <= max_datetime).filter( Session.id != session.id).filter(Session.classification == classification) for potential_match in sessions: if potential_match.discriminator == session.discriminator: continue assert potential_match.id != session.id for honey_auth in session.authentication: for session_auth in potential_match.authentication: if (session_auth.username == honey_auth.username and session_auth.password == honey_auth.password and session_auth.successful == honey_auth.successful): assert potential_match.id != session.id match = potential_match break return match
get_matching_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, session, db_session, timediff=5):\n db_session = db_session\n min_datetime = session.timestamp - timedelta(seconds=timediff)\n max_datetime = session.timestamp + timedelta(seconds=timediff)\n match = None\n classification = db_session.query(Classification).filter(Classification\n .type == 'pending').one()\n sessions = db_session.query(Session).options(joinedload(Session.\n authentication)).filter(Session.protocol == session.protocol).filter(\n Session.honeypot == session.honeypot).filter(Session.timestamp >=\n min_datetime).filter(Session.timestamp <= max_datetime).filter(\n Session.id != session.id).filter(Session.classification ==\n classification)\n for potential_match in sessions:\n if potential_match.discriminator == session.discriminator:\n continue\n assert potential_match.id != session.id\n for honey_auth in session.authentication:\n for session_auth in potential_match.authentication:\n if (session_auth.username == honey_auth.username and \n session_auth.password == honey_auth.password and \n session_auth.successful == honey_auth.successful):\n assert potential_match.id != session.id\n match = potential_match\n break\n return match\n", "role": "user" }, { "content": "get_matching_session", "role": "assistant" } ]
def x(self): min_datetime = datetime.utcnow() - timedelta(seconds=self.delay_seconds) db_session = database_setup.get_session() bait_sessions = db_session.query(BaitSession).options(joinedload( BaitSession.authentication)).filter(BaitSession.classification_id == 'pending').filter(BaitSession.did_complete == True).filter( BaitSession.received < min_datetime).all() for bait_session in bait_sessions: logger.debug('Classifying bait session with id {0} as MITM'.format( bait_session.id)) bait_session.classification = db_session.query(Classification).filter( Classification.type == 'mitm').one() db_session.commit() sessions = db_session.query(Session, Drone.name).filter(Session. discriminator == None).filter(Session.timestamp <= min_datetime ).filter(Session.classification_id == 'pending').all() for entry in sessions: session = entry[0] bait_match = None for a in session.authentication: bait_match = db_session.query(BaitSession).filter(BaitSession. authentication.any(username=a.username, password=a.password) ).first() if bait_match: break if bait_match: logger.debug( 'Classifying session with id {0} as attack which involved the reuse of previously transmitted credentials.' .format(session.id)) session.classification = db_session.query(Classification).filter( Classification.type == 'credentials_reuse').one() elif len(session.authentication) == 0: logger.debug('Classifying session with id {0} as probe.'.format (session.id)) session.classification = db_session.query(Classification).filter( Classification.type == 'probe').one() else: logger.debug( 'Classifying session with id {0} as bruteforce attempt.'. format(session.id)) session.classification = db_session.query(Classification).filter( Classification.type == 'bruteforce').one() db_session.commit() session.name = entry[1] self.processedSessionsPublisher.send('{0} {1}'.format(Messages. SESSION.value, json.dumps(session.to_dict())))
classify_malicious_sessions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n min_datetime = datetime.utcnow() - timedelta(seconds=self.delay_seconds)\n db_session = database_setup.get_session()\n bait_sessions = db_session.query(BaitSession).options(joinedload(\n BaitSession.authentication)).filter(BaitSession.classification_id ==\n 'pending').filter(BaitSession.did_complete == True).filter(\n BaitSession.received < min_datetime).all()\n for bait_session in bait_sessions:\n logger.debug('Classifying bait session with id {0} as MITM'.format(\n bait_session.id))\n bait_session.classification = db_session.query(Classification).filter(\n Classification.type == 'mitm').one()\n db_session.commit()\n sessions = db_session.query(Session, Drone.name).filter(Session.\n discriminator == None).filter(Session.timestamp <= min_datetime\n ).filter(Session.classification_id == 'pending').all()\n for entry in sessions:\n session = entry[0]\n bait_match = None\n for a in session.authentication:\n bait_match = db_session.query(BaitSession).filter(BaitSession.\n authentication.any(username=a.username, password=a.password)\n ).first()\n if bait_match:\n break\n if bait_match:\n logger.debug(\n 'Classifying session with id {0} as attack which involved the reuse of previously transmitted credentials.'\n .format(session.id))\n session.classification = db_session.query(Classification).filter(\n Classification.type == 'credentials_reuse').one()\n elif len(session.authentication) == 0:\n logger.debug('Classifying session with id {0} as probe.'.format\n (session.id))\n session.classification = db_session.query(Classification).filter(\n Classification.type == 'probe').one()\n else:\n logger.debug(\n 'Classifying session with id {0} as bruteforce attempt.'.\n format(session.id))\n session.classification = db_session.query(Classification).filter(\n Classification.type == 'bruteforce').one()\n db_session.commit()\n session.name = entry[1]\n self.processedSessionsPublisher.send('{0} {1}'.format(Messages.\n SESSION.value, json.dumps(session.to_dict())))\n", "role": "user" }, { "content": "classify_malicious_sessions", "role": "assistant" } ]
def x(self): username = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] session = self.create_session(server_host, server_port, honeypot_id) self.sessions[session.id] = session logger.debug('Sending ssh bait session to {0}:{1}. (bait id: {2})'. format(server_host, server_port, session.id)) try: self.connect_login() session.did_connect = True session.add_auth_attempt('plaintext', True, username=username, password=password) session.did_login = True except (SSHException, AuthenticationFailed) as err: logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err)))) else: command_count = 0 command_limit = random.randint(6, 11) while command_count < command_limit: command_count += 1 self.sense() comm, param = self.decide() self.act(comm, param) gevent.sleep(random.uniform(0.4, 5.6)) self.logout() session.did_complete = True finally: session.alldone = True session.end_session() self.comm_chan.close()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n session = self.create_session(server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n logger.debug('Sending ssh bait session to {0}:{1}. (bait id: {2})'.\n format(server_host, server_port, session.id))\n try:\n self.connect_login()\n session.did_connect = True\n session.add_auth_attempt('plaintext', True, username=username,\n password=password)\n session.did_login = True\n except (SSHException, AuthenticationFailed) as err:\n logger.debug('Caught exception: {0} ({1})'.format(err, str(type(err))))\n else:\n command_count = 0\n command_limit = random.randint(6, 11)\n while command_count < command_limit:\n command_count += 1\n self.sense()\n comm, param = self.decide()\n self.act(comm, param)\n gevent.sleep(random.uniform(0.4, 5.6))\n self.logout()\n session.did_complete = True\n finally:\n session.alldone = True\n session.end_session()\n self.comm_chan.close()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, cmd): logger.debug('Sending {0} command.'.format(cmd)) self.comm_chan.sendall(cmd + '\n')
send_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd):\n logger.debug('Sending {0} command.'.format(cmd))\n self.comm_chan.sendall(cmd + '\\n')\n", "role": "user" }, { "content": "send_command", "role": "assistant" } ]
def x(self): while not self.comm_chan.recv_ready(): time.sleep(0.5) return self.comm_chan.recv(2048)
get_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while not self.comm_chan.recv_ready():\n time.sleep(0.5)\n return self.comm_chan.recv(2048)\n", "role": "user" }, { "content": "get_response", "role": "assistant" } ]
def x(self): self.client.connect(self.options['server'], self.options['port'], self. options['username'], self.options['password']) self.comm_chan = self.client.invoke_shell() time.sleep(1) while not self.comm_chan.recv_ready(): time.sleep(0.5) login_response = self.comm_chan.recv(2048) if not login_response.endswith('$ '): raise AuthenticationFailed return login_response
connect_login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.client.connect(self.options['server'], self.options['port'], self.\n options['username'], self.options['password'])\n self.comm_chan = self.client.invoke_shell()\n time.sleep(1)\n while not self.comm_chan.recv_ready():\n time.sleep(0.5)\n login_response = self.comm_chan.recv(2048)\n if not login_response.endswith('$ '):\n raise AuthenticationFailed\n return login_response\n", "role": "user" }, { "content": "connect_login", "role": "assistant" } ]
def x(list_of_options): d = {} for key, value in list_of_options: d[key] = value return d
list2dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(list_of_options):\n d = {}\n for key, value in list_of_options:\n d[key] = value\n return d\n", "role": "user" }, { "content": "list2dict", "role": "assistant" } ]
def x(fn): st = os.stat(fn) full_mode = 'rwxrwxrwx' mode = '' file_time = '' d = '' for i in range(9): mode += st.st_mode >> 8 - i & 1 and full_mode[i] or '-' d = os.path.isdir(fn) and 'd' or '-' file_time = time.strftime(' %b %d %H:%M ', time.gmtime(st.st_mtime)) list_format = '{0}{1} 1 ftp ftp {2}\t{3}{4}'.format(d, mode, str(st. st_size), file_time, os.path.basename(fn)) return list_format
path_to_ls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n st = os.stat(fn)\n full_mode = 'rwxrwxrwx'\n mode = ''\n file_time = ''\n d = ''\n for i in range(9):\n mode += st.st_mode >> 8 - i & 1 and full_mode[i] or '-'\n d = os.path.isdir(fn) and 'd' or '-'\n file_time = time.strftime(' %b %d %H:%M ', time.gmtime(st.st_mtime))\n list_format = '{0}{1} 1 ftp ftp {2}\\t{3}{4}'.format(d, mode, str(st.\n st_size), file_time, os.path.basename(fn))\n return list_format\n", "role": "user" }, { "content": "path_to_ls", "role": "assistant" } ]
def x(self): cert_path = os.path.join(self.work_dir, 'certificates') public_keys_dir = os.path.join(cert_path, 'public_keys') private_keys_dir = os.path.join(cert_path, 'private_keys') client_secret_file = os.path.join(private_keys_dir, 'client.key') client_public, client_secret = zmq.auth.load_certificate(client_secret_file ) server_public_file = os.path.join(public_keys_dir, 'server.key') server_public, _ = zmq.auth.load_certificate(server_public_file) self.outgoing_msg_greenlet = gevent.spawn(self.outgoing_server_comms, server_public, client_public, client_secret) self.outgoing_msg_greenlet.link_exception(self.on_exception) self.incoming_msg_greenlet = gevent.spawn(self.incoming_server_comms, server_public, client_public, client_secret) self.incoming_msg_greenlet.link_exception(self.on_exception) logger.info('Waiting for detailed configuration from Beeswarm server.') gevent.joinall([self.outgoing_msg_greenlet])
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cert_path = os.path.join(self.work_dir, 'certificates')\n public_keys_dir = os.path.join(cert_path, 'public_keys')\n private_keys_dir = os.path.join(cert_path, 'private_keys')\n client_secret_file = os.path.join(private_keys_dir, 'client.key')\n client_public, client_secret = zmq.auth.load_certificate(client_secret_file\n )\n server_public_file = os.path.join(public_keys_dir, 'server.key')\n server_public, _ = zmq.auth.load_certificate(server_public_file)\n self.outgoing_msg_greenlet = gevent.spawn(self.outgoing_server_comms,\n server_public, client_public, client_secret)\n self.outgoing_msg_greenlet.link_exception(self.on_exception)\n self.incoming_msg_greenlet = gevent.spawn(self.incoming_server_comms,\n server_public, client_public, client_secret)\n self.incoming_msg_greenlet.link_exception(self.on_exception)\n logger.info('Waiting for detailed configuration from Beeswarm server.')\n gevent.joinall([self.outgoing_msg_greenlet])\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): with open(self.config_file, 'r') as config_file: self.config = json.load(config_file, object_hook=asciify) mode = None if self.config['general']['mode'] == '' or self.config['general']['mode' ] is None: logger.info( 'Drone has not been configured, awaiting configuration from Beeswarm server.' ) elif self.config['general']['mode'] == 'honeypot': mode = Honeypot elif self.config['general']['mode'] == 'client': mode = Client if mode: self.drone = mode(self.work_dir, self.config) self.drone_greenlet = gevent.spawn(self.drone.start) self.drone_greenlet.link_exception(self.on_exception) logger.info('Drone configured and running. ({0})'.format(self.id))
start_drone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with open(self.config_file, 'r') as config_file:\n self.config = json.load(config_file, object_hook=asciify)\n mode = None\n if self.config['general']['mode'] == '' or self.config['general']['mode'\n ] is None:\n logger.info(\n 'Drone has not been configured, awaiting configuration from Beeswarm server.'\n )\n elif self.config['general']['mode'] == 'honeypot':\n mode = Honeypot\n elif self.config['general']['mode'] == 'client':\n mode = Client\n if mode:\n self.drone = mode(self.work_dir, self.config)\n self.drone_greenlet = gevent.spawn(self.drone.start)\n self.drone_greenlet.link_exception(self.on_exception)\n logger.info('Drone configured and running. ({0})'.format(self.id))\n", "role": "user" }, { "content": "start_drone", "role": "assistant" } ]
def x(self): logging.debug('Stopping drone, hang on.') if self.drone is not None: self.drone_greenlet.unlink(self.on_exception) self.drone.stop() self.drone_greenlet.kill() self.drone = None gevent.sleep(2) if self.drone_greenlet is not None: self.drone_greenlet.kill(timeout=5)
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logging.debug('Stopping drone, hang on.')\n if self.drone is not None:\n self.drone_greenlet.unlink(self.on_exception)\n self.drone.stop()\n self.drone_greenlet.kill()\n self.drone = None\n gevent.sleep(2)\n if self.drone_greenlet is not None:\n self.drone_greenlet.kill(timeout=5)\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self): username = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] session = self.create_session(server_host, server_port, honeypot_id) logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'. format('smtp', server_host, server_port, session.id)) try: self.connect() session.did_connect = True session.source_port = self.client.sock.getsockname()[1] self.login(username, password) session.add_auth_attempt('plaintext', True, username=username, password='') session.did_login = True except smtplib.SMTPException as error: logger.debug('Caught exception: {0} ({1})'.format(error, str(type( error)))) else: while self.sent_mails <= self.max_mails: from_addr, to_addr, mail_body = self.get_one_mail() try: if from_addr and to_addr and isinstance(mail_body, str): self.client.sendmail(from_addr, to_addr, mail_body) else: continue except TypeError as e: logger.debug('Malformed email in mbox archive, skipping.') continue else: self.sent_mails += 1 logger.debug('Sent mail from ({0}) to ({1})'.format( from_addr, to_addr)) time.sleep(1) self.client.quit() session.did_complete = True finally: logger.debug('SMTP Session complete.') session.alldone = True session.end_session() self.client.close()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n username = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n session = self.create_session(server_host, server_port, honeypot_id)\n logger.debug('Sending {0} bait session to {1}:{2}. (bait id: {3})'.\n format('smtp', server_host, server_port, session.id))\n try:\n self.connect()\n session.did_connect = True\n session.source_port = self.client.sock.getsockname()[1]\n self.login(username, password)\n session.add_auth_attempt('plaintext', True, username=username,\n password='')\n session.did_login = True\n except smtplib.SMTPException as error:\n logger.debug('Caught exception: {0} ({1})'.format(error, str(type(\n error))))\n else:\n while self.sent_mails <= self.max_mails:\n from_addr, to_addr, mail_body = self.get_one_mail()\n try:\n if from_addr and to_addr and isinstance(mail_body, str):\n self.client.sendmail(from_addr, to_addr, mail_body)\n else:\n continue\n except TypeError as e:\n logger.debug('Malformed email in mbox archive, skipping.')\n continue\n else:\n self.sent_mails += 1\n logger.debug('Sent mail from ({0}) to ({1})'.format(\n from_addr, to_addr))\n time.sleep(1)\n self.client.quit()\n session.did_complete = True\n finally:\n logger.debug('SMTP Session complete.')\n session.alldone = True\n session.end_session()\n self.client.close()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): while True: mail_key = random.choice(self.mailbox.keys()) mail = self.mailbox[mail_key] from_addr = mail.get_from() to_addr = mail['To'] mail_body = mail.get_payload() if not from_addr or not to_addr: continue return from_addr, to_addr, mail_body
get_one_mail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n mail_key = random.choice(self.mailbox.keys())\n mail = self.mailbox[mail_key]\n from_addr = mail.get_from()\n to_addr = mail['To']\n mail_body = mail.get_payload()\n if not from_addr or not to_addr:\n continue\n return from_addr, to_addr, mail_body\n", "role": "user" }, { "content": "get_one_mail", "role": "assistant" } ]
def x(self): self.client = smtplib.SMTP(self.options['server'], self.options['port'], local_hostname='local.domain', timeout=15)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.client = smtplib.SMTP(self.options['server'], self.options['port'],\n local_hostname='local.domain', timeout=15)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): if not self.authentication_ok(): return if self.DOECHO: self.writeline(self.WELCOME) self.session_start() while self.RUNSHELL: read_line = self.readline(prompt=self.PROMPT).strip('\r\n') if read_line: self.session.transcript_incoming(read_line) self.input = self.input_reader(self, read_line) self.raw_input = self.input.raw if self.input.cmd: cmd = self.input.cmd.upper() params = self.input.params if cmd in self.COMMANDS: try: self.COMMANDS[cmd](params) except: logger.exception('Error calling {0}.'.format(cmd)) t, p, tb = sys.exc_info() if self.handleException(t, p, tb): break else: self.writeline('-bash: {0}: command not found'.format(cmd)) logger.error("Unknown command '{0}'".format(cmd)) logger.debug('Exiting handler')
handle
[ { "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.authentication_ok():\n return\n if self.DOECHO:\n self.writeline(self.WELCOME)\n self.session_start()\n while self.RUNSHELL:\n read_line = self.readline(prompt=self.PROMPT).strip('\\r\\n')\n if read_line:\n self.session.transcript_incoming(read_line)\n self.input = self.input_reader(self, read_line)\n self.raw_input = self.input.raw\n if self.input.cmd:\n cmd = self.input.cmd.upper()\n params = self.input.params\n if cmd in self.COMMANDS:\n try:\n self.COMMANDS[cmd](params)\n except:\n logger.exception('Error calling {0}.'.format(cmd))\n t, p, tb = sys.exc_info()\n if self.handleException(t, p, tb):\n break\n else:\n self.writeline('-bash: {0}: command not found'.format(cmd))\n logger.error(\"Unknown command '{0}'\".format(cmd))\n logger.debug('Exiting handler')\n", "role": "user" }, { "content": "handle", "role": "assistant" } ]
def x(data): ret = [] for item in data: if isinstance(item, unicode): item = _remove_accents(item) item = item.encode('utf-8') elif isinstance(item, list): item = _asciify_list(item) elif isinstance(item, dict): item = _asciify_dict(item) ret.append(item) return ret
asciify_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n ret = []\n for item in data:\n if isinstance(item, unicode):\n item = _remove_accents(item)\n item = item.encode('utf-8')\n elif isinstance(item, list):\n item = _asciify_list(item)\n elif isinstance(item, dict):\n item = _asciify_dict(item)\n ret.append(item)\n return ret\n", "role": "user" }, { "content": "asciify_list", "role": "assistant" } ]
def x(data): ret = {} for key, value in data.iteritems(): if isinstance(key, unicode): key = _remove_accents(key) key = key.encode('utf-8') if isinstance(value, unicode): value = _remove_accents(value) value = value.encode('utf-8') elif isinstance(value, list): value = _asciify_list(value) elif isinstance(value, dict): value = _asciify_dict(value) ret[key] = value return ret
asciify_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n ret = {}\n for key, value in data.iteritems():\n if isinstance(key, unicode):\n key = _remove_accents(key)\n key = key.encode('utf-8')\n if isinstance(value, unicode):\n value = _remove_accents(value)\n value = value.encode('utf-8')\n elif isinstance(value, list):\n value = _asciify_list(value)\n elif isinstance(value, dict):\n value = _asciify_dict(value)\n ret[key] = value\n return ret\n", "role": "user" }, { "content": "asciify_dict", "role": "assistant" } ]
def x(self, buffer_): if self.IAC in buffer_: buffer_ = buffer_.replace(self.IAC, self.IAC + self.IAC) self.msg('send %r', buffer_) for char in buffer_: delta = random.gauss(80, 20) self.sock.sendall(char) time.sleep(delta / 1000.0)
write_human
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, buffer_):\n if self.IAC in buffer_:\n buffer_ = buffer_.replace(self.IAC, self.IAC + self.IAC)\n self.msg('send %r', buffer_)\n for char in buffer_:\n delta = random.gauss(80, 20)\n self.sock.sendall(char)\n time.sleep(delta / 1000.0)\n", "role": "user" }, { "content": "write_human", "role": "assistant" } ]
def x(self): login = self.options['username'] password = self.options['password'] server_host = self.options['server'] server_port = self.options['port'] honeypot_id = self.options['honeypot_id'] command_limit = random.randint(6, 11) session = self.create_session(server_host, server_port, honeypot_id) self.sessions[session.id] = session logger.debug('Sending telnet bait session to {0}:{1}. (bait id: {2})'. format(server_host, server_port, session.id)) try: self.connect() self.login(login, password) session.add_auth_attempt('plaintext', True, username=login, password=password) session.did_connect = True session.source_port = self.client.sock.getsockname()[1] session.did_login = True except InvalidLogin: logger.debug('Telnet session could not login. ({0})'.format(session.id) ) session.did_login = False except Exception as err: logger.debug('Caught exception: {0} {1}'.format(err, str(err), exc_info=True)) else: command_count = 0 while command_count < command_limit: command_count += 1 self.sense() comm, param = self.decide() self.act(comm, param) gevent.sleep(random.uniform(0.4, 5.6)) self.act('logout') session.did_complete = True finally: session.alldone = True session.end_session() if self.client: self.client.close()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n login = self.options['username']\n password = self.options['password']\n server_host = self.options['server']\n server_port = self.options['port']\n honeypot_id = self.options['honeypot_id']\n command_limit = random.randint(6, 11)\n session = self.create_session(server_host, server_port, honeypot_id)\n self.sessions[session.id] = session\n logger.debug('Sending telnet bait session to {0}:{1}. (bait id: {2})'.\n format(server_host, server_port, session.id))\n try:\n self.connect()\n self.login(login, password)\n session.add_auth_attempt('plaintext', True, username=login,\n password=password)\n session.did_connect = True\n session.source_port = self.client.sock.getsockname()[1]\n session.did_login = True\n except InvalidLogin:\n logger.debug('Telnet session could not login. ({0})'.format(session.id)\n )\n session.did_login = False\n except Exception as err:\n logger.debug('Caught exception: {0} {1}'.format(err, str(err),\n exc_info=True))\n else:\n command_count = 0\n while command_count < command_limit:\n command_count += 1\n self.sense()\n comm, param = self.decide()\n self.act(comm, param)\n gevent.sleep(random.uniform(0.4, 5.6))\n self.act('logout')\n session.did_complete = True\n finally:\n session.alldone = True\n session.end_session()\n if self.client:\n self.client.close()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): self.client = BaitTelnetClient(self.options['server'], self.options['port'] ) self.client.set_option_negotiation_callback(self.process_options)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.client = BaitTelnetClient(self.options['server'], self.options['port']\n )\n self.client.set_option_negotiation_callback(self.process_options)\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, login, password): self.client.read_until('Username: ') self.client.write(login + '\r\n') self.client.read_until('Password: ') self.client.write(password + '\r\n') current_data = self.client.read_until('$ ', 10) if not current_data.endswith('$ '): raise InvalidLogin
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, login, password):\n self.client.read_until('Username: ')\n self.client.write(login + '\\r\\n')\n self.client.read_until('Password: ')\n self.client.write(password + '\\r\\n')\n current_data = self.client.read_until('$ ', 10)\n if not current_data.endswith('$ '):\n raise InvalidLogin\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self): self.client.write('exit\r\n') self.client.read_all() self.client.close()
logout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.client.write('exit\\r\\n')\n self.client.read_all()\n self.client.close()\n", "role": "user" }, { "content": "logout", "role": "assistant" } ]
def x(self, auth_type, successful, **kwargs): entry = {'timestamp': datetime.utcnow(), 'auth': auth_type, 'id': uuid. uuid4(), 'successful': successful} log_string = '' for key, value in kwargs.iteritems(): if key == 'challenge' or key == 'response': entry[key] = repr(value) else: entry[key] = value log_string += '{0}:{1}, '.format(key, value) self.login_attempts.append(entry)
add_auth_attempt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, auth_type, successful, **kwargs):\n entry = {'timestamp': datetime.utcnow(), 'auth': auth_type, 'id': uuid.\n uuid4(), 'successful': successful}\n log_string = ''\n for key, value in kwargs.iteritems():\n if key == 'challenge' or key == 'response':\n entry[key] = repr(value)\n else:\n entry[key] = value\n log_string += '{0}:{1}, '.format(key, value)\n self.login_attempts.append(entry)\n", "role": "user" }, { "content": "add_auth_attempt", "role": "assistant" } ]
def x(self): cmd_name = random.choice(self.senses) param = '' if cmd_name == 'ls': if random.randint(0, 1): param = '-l' elif cmd_name == 'uname': opts = 'asnrvmpio' start = random.randint(0, len(opts) - 2) end = random.randint(start + 1, len(opts) - 1) param = '-{}'.format(opts[start:end]) command = getattr(self, cmd_name) command(param)
sense
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cmd_name = random.choice(self.senses)\n param = ''\n if cmd_name == 'ls':\n if random.randint(0, 1):\n param = '-l'\n elif cmd_name == 'uname':\n opts = 'asnrvmpio'\n start = random.randint(0, len(opts) - 2)\n end = random.randint(start + 1, len(opts) - 1)\n param = '-{}'.format(opts[start:end])\n command = getattr(self, cmd_name)\n command(param)\n", "role": "user" }, { "content": "sense", "role": "assistant" } ]
def x(self): next_command_name = random.choice(self.COMMAND_MAP[self.state[ 'last_command']]) param = '' if next_command_name == 'cd': try: param = random.choice(self.state['dir_list']) except IndexError: next_command_name = 'ls' elif next_command_name == 'uname': opts = 'asnrvmpio' start = random.randint(0, len(opts) - 2) end = random.randint(start + 1, len(opts) - 1) param = '-{}'.format(opts[start:end]) elif next_command_name == 'ls': if random.randint(0, 1): param = '-l' elif next_command_name == 'cat': try: param = random.choice(self.state['file_list']) except IndexError: param = ''.join(random.choice(string.lowercase) for x in range(3)) elif next_command_name == 'echo': param = random.choice(['$http_proxy', '$https_proxy', '$ftp_proxy', '$BROWSER', '$EDITOR', '$SHELL', '$PAGER']) elif next_command_name == 'sudo': param = random.choice(['pm-hibernate', 'shutdown -h', 'vim /etc/httpd.conf', 'vim /etc/resolve.conf', 'service network restart', '/etc/init.d/network-manager restart']) return next_command_name, param
decide
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n next_command_name = random.choice(self.COMMAND_MAP[self.state[\n 'last_command']])\n param = ''\n if next_command_name == 'cd':\n try:\n param = random.choice(self.state['dir_list'])\n except IndexError:\n next_command_name = 'ls'\n elif next_command_name == 'uname':\n opts = 'asnrvmpio'\n start = random.randint(0, len(opts) - 2)\n end = random.randint(start + 1, len(opts) - 1)\n param = '-{}'.format(opts[start:end])\n elif next_command_name == 'ls':\n if random.randint(0, 1):\n param = '-l'\n elif next_command_name == 'cat':\n try:\n param = random.choice(self.state['file_list'])\n except IndexError:\n param = ''.join(random.choice(string.lowercase) for x in range(3))\n elif next_command_name == 'echo':\n param = random.choice(['$http_proxy', '$https_proxy', '$ftp_proxy',\n '$BROWSER', '$EDITOR', '$SHELL', '$PAGER'])\n elif next_command_name == 'sudo':\n param = random.choice(['pm-hibernate', 'shutdown -h',\n 'vim /etc/httpd.conf', 'vim /etc/resolve.conf',\n 'service network restart', '/etc/init.d/network-manager restart'])\n return next_command_name, param\n", "role": "user" }, { "content": "decide", "role": "assistant" } ]
def x(self, cmd_name, params=None): command = getattr(self, cmd_name) if params: command(params) else: command()
act
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd_name, params=None):\n command = getattr(self, cmd_name)\n if params:\n command(params)\n else:\n command()\n", "role": "user" }, { "content": "act", "role": "assistant" } ]
def x(self, message, extra, record): extra['message'] = message if 'time' not in extra: extra['time'] = datetime.utcnow() if record.exc_info: extra['exc_info'] = self.formatException(record.exc_info) return extra
json_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, extra, record):\n extra['message'] = message\n if 'time' not in extra:\n extra['time'] = datetime.utcnow()\n if record.exc_info:\n extra['exc_info'] = self.formatException(record.exc_info)\n return extra\n", "role": "user" }, { "content": "json_record", "role": "assistant" } ]
def x(self, json_record): for attr_name in json_record: attr = json_record[attr_name] if isinstance(attr, datetime): json_record[attr_name] = attr.isoformat() return json_record
mutate_json_record
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_record):\n for attr_name in json_record:\n attr = json_record[attr_name]\n if isinstance(attr, datetime):\n json_record[attr_name] = attr.isoformat()\n return json_record\n", "role": "user" }, { "content": "mutate_json_record", "role": "assistant" } ]
def x(self): self._stop.set() if self._channel is not None: self._channel.close()
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._stop.set()\n if self._channel is not None:\n self._channel.close()\n", "role": "user" }, { "content": "stop", "role": "assistant" } ]
def x(self): channel = self._ssh_client.get_transport().open_session() self._channel = channel channel.exec_command('gerrit stream-events') stdout = channel.makefile() stderr = channel.makefile_stderr() while not self._stop.is_set(): try: if channel.exit_status_ready(): if channel.recv_stderr_ready(): error = stderr.readline().strip() else: error = 'Remote server connection closed' self._error_event(error) self._stop.set() else: data = stdout.readline() self._gerrit.put_event(data) except Exception as e: self._error_event(repr(e)) self._stop.set()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n channel = self._ssh_client.get_transport().open_session()\n self._channel = channel\n channel.exec_command('gerrit stream-events')\n stdout = channel.makefile()\n stderr = channel.makefile_stderr()\n while not self._stop.is_set():\n try:\n if channel.exit_status_ready():\n if channel.recv_stderr_ready():\n error = stderr.readline().strip()\n else:\n error = 'Remote server connection closed'\n self._error_event(error)\n self._stop.set()\n else:\n data = stdout.readline()\n self._gerrit.put_event(data)\n except Exception as e:\n self._error_event(repr(e))\n self._stop.set()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, command): if not isinstance(command, basestring): raise ValueError('command must be a string') return self._ssh_client.run_gerrit_command(command)
run_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n if not isinstance(command, basestring):\n raise ValueError('command must be a string')\n return self._ssh_client.run_gerrit_command(command)\n", "role": "user" }, { "content": "run_command", "role": "assistant" } ]
def x(self, term): results = [] command = ['query', '--current-patch-set', '--all-approvals', '--format JSON', '--commit-message'] if not isinstance(term, basestring): raise ValueError('term must be a string') command.append(escape_string(term)) result = self._ssh_client.run_gerrit_command(' '.join(command)) decoder = JSONDecoder() for line in result.stdout.read().splitlines(): try: data = decoder.decode(line) except ValueError as err: raise GerritError('Query returned invalid data: %s', err) if 'type' in data and data['type'] == 'error': raise GerritError('Query error: %s' % data['message']) elif 'project' in data: results.append(Change(data)) return results
query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, term):\n results = []\n command = ['query', '--current-patch-set', '--all-approvals',\n '--format JSON', '--commit-message']\n if not isinstance(term, basestring):\n raise ValueError('term must be a string')\n command.append(escape_string(term))\n result = self._ssh_client.run_gerrit_command(' '.join(command))\n decoder = JSONDecoder()\n for line in result.stdout.read().splitlines():\n try:\n data = decoder.decode(line)\n except ValueError as err:\n raise GerritError('Query returned invalid data: %s', err)\n if 'type' in data and data['type'] == 'error':\n raise GerritError('Query error: %s' % data['message'])\n elif 'project' in data:\n results.append(Change(data))\n return results\n", "role": "user" }, { "content": "query", "role": "assistant" } ]
def x(self): if not self._stream: self._stream = GerritStream(self, ssh_client=self._ssh_client) self._stream.start()
start_event_stream
[ { "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._stream:\n self._stream = GerritStream(self, ssh_client=self._ssh_client)\n self._stream.start()\n", "role": "user" }, { "content": "start_event_stream", "role": "assistant" } ]
def x(self): if self._stream: self._stream.stop() self._stream.join() self._stream = None with self._events.mutex: self._events.queue.clear()
stop_event_stream
[ { "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._stream:\n self._stream.stop()\n self._stream.join()\n self._stream = None\n with self._events.mutex:\n self._events.queue.clear()\n", "role": "user" }, { "content": "stop_event_stream", "role": "assistant" } ]
def x(self, block=True, timeout=None): try: return self._events.get(block, timeout) except Empty: return None
get_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, block=True, timeout=None):\n try:\n return self._events.get(block, timeout)\n except Empty:\n return None\n", "role": "user" }, { "content": "get_event", "role": "assistant" } ]
def x(self, data): try: event = self._factory.create(data) self._events.put(event) except Full: raise GerritError('Unable to add event: queue is full')
put_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n try:\n event = self._factory.create(data)\n self._events.put(event)\n except Full:\n raise GerritError('Unable to add event: queue is full')\n", "role": "user" }, { "content": "put_event", "role": "assistant" } ]
def x(version_string, pattern): if version_string: match = pattern.match(version_string.strip()) if match: return match.group(1) return ''
extract_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version_string, pattern):\n if version_string:\n match = pattern.match(version_string.strip())\n if match:\n return match.group(1)\n return ''\n", "role": "user" }, { "content": "extract_version", "role": "assistant" } ]
def x(self): configfile = expanduser('~/.ssh/config') if not isfile(configfile): raise GerritError("ssh config file '%s' does not exist" % configfile) config = SSHConfig() config.parse(open(configfile)) data = config.lookup(self.hostname) if not data: raise GerritError('No ssh config for host %s' % self.hostname) if 'hostname' not in data or 'port' not in data or 'user' not in data: raise GerritError('Missing configuration data in %s' % configfile) self.hostname = data['hostname'] self.username = data['user'] if 'identityfile' in data: key_filename = abspath(expanduser(data['identityfile'][0])) if not isfile(key_filename): raise GerritError("Identity file '%s' does not exist" % key_filename) self.key_filename = key_filename try: self.port = int(data['port']) except ValueError: raise GerritError('Invalid port: %s' % data['port']) if 'proxycommand' in data: self.proxy = ProxyCommand(data['proxycommand'])
configure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n configfile = expanduser('~/.ssh/config')\n if not isfile(configfile):\n raise GerritError(\"ssh config file '%s' does not exist\" % configfile)\n config = SSHConfig()\n config.parse(open(configfile))\n data = config.lookup(self.hostname)\n if not data:\n raise GerritError('No ssh config for host %s' % self.hostname)\n if 'hostname' not in data or 'port' not in data or 'user' not in data:\n raise GerritError('Missing configuration data in %s' % configfile)\n self.hostname = data['hostname']\n self.username = data['user']\n if 'identityfile' in data:\n key_filename = abspath(expanduser(data['identityfile'][0]))\n if not isfile(key_filename):\n raise GerritError(\"Identity file '%s' does not exist\" %\n key_filename)\n self.key_filename = key_filename\n try:\n self.port = int(data['port'])\n except ValueError:\n raise GerritError('Invalid port: %s' % data['port'])\n if 'proxycommand' in data:\n self.proxy = ProxyCommand(data['proxycommand'])\n", "role": "user" }, { "content": "configure", "role": "assistant" } ]
def x(self): self.load_system_host_keys() if self.username is None or self.port is None: self._configure() try: self.connect(hostname=self.hostname, port=self.port, username=self. username, key_filename=self.key_filename, sock=self.proxy) except socket.error as e: raise GerritError('Failed to connect to server: %s' % e) try: version_string = self._transport.remote_version pattern = re.compile('^.*GerritCodeReview_([a-z0-9-\\.]*) .*$') self.remote_version = _extract_version(version_string, pattern) except AttributeError: self.remote_version = None
do_connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.load_system_host_keys()\n if self.username is None or self.port is None:\n self._configure()\n try:\n self.connect(hostname=self.hostname, port=self.port, username=self.\n username, key_filename=self.key_filename, sock=self.proxy)\n except socket.error as e:\n raise GerritError('Failed to connect to server: %s' % e)\n try:\n version_string = self._transport.remote_version\n pattern = re.compile('^.*GerritCodeReview_([a-z0-9-\\\\.]*) .*$')\n self.remote_version = _extract_version(version_string, pattern)\n except AttributeError:\n self.remote_version = None\n", "role": "user" }, { "content": "do_connect", "role": "assistant" } ]
def x(self): if not self.connected.is_set(): try: self.lock.acquire() if not self.connected.is_set(): self._do_connect() if self.keepalive: self._transport.set_keepalive(self.keepalive) self.connected.set() except GerritError: raise finally: self.lock.release()
connect
[ { "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.connected.is_set():\n try:\n self.lock.acquire()\n if not self.connected.is_set():\n self._do_connect()\n if self.keepalive:\n self._transport.set_keepalive(self.keepalive)\n self.connected.set()\n except GerritError:\n raise\n finally:\n self.lock.release()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self): if self.remote_version is None: result = self.run_gerrit_command('version') version_string = result.stdout.read() pattern = re.compile('^gerrit version (.*)$') self.remote_version = _extract_version(version_string, pattern) return self.remote_version
get_remote_version
[ { "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.remote_version is None:\n result = self.run_gerrit_command('version')\n version_string = result.stdout.read()\n pattern = re.compile('^gerrit version (.*)$')\n self.remote_version = _extract_version(version_string, pattern)\n return self.remote_version\n", "role": "user" }, { "content": "get_remote_version", "role": "assistant" } ]
def x(self, command): if not isinstance(command, basestring): raise ValueError('command must be a string') gerrit_command = 'gerrit ' + command try: gerrit_command.encode('ascii') except UnicodeEncodeError: gerrit_command = gerrit_command.encode('utf-8') self._connect() try: stdin, stdout, stderr = self.exec_command(gerrit_command, bufsize=1, timeout=None, get_pty=False) except SSHException as err: raise GerritError('Command execution error: %s' % err) return GerritSSHCommandResult(command, stdin, stdout, stderr)
run_gerrit_command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command):\n if not isinstance(command, basestring):\n raise ValueError('command must be a string')\n gerrit_command = 'gerrit ' + command\n try:\n gerrit_command.encode('ascii')\n except UnicodeEncodeError:\n gerrit_command = gerrit_command.encode('utf-8')\n self._connect()\n try:\n stdin, stdout, stderr = self.exec_command(gerrit_command, bufsize=1,\n timeout=None, get_pty=False)\n except SSHException as err:\n raise GerritError('Command execution error: %s' % err)\n return GerritSSHCommandResult(command, stdin, stdout, stderr)\n", "role": "user" }, { "content": "run_gerrit_command", "role": "assistant" } ]
def x(cls, name): def x(klazz): if name in cls._events: raise GerritError('Duplicate event: %s' % name) cls._events[name] = [klazz.__module__, klazz.__name__] klazz.name = name return klazz return decorate
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n\n def x(klazz):\n if name in cls._events:\n raise GerritError('Duplicate event: %s' % name)\n cls._events[name] = [klazz.__module__, klazz.__name__]\n klazz.name = name\n return klazz\n return decorate\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(cls, data): try: json_data = json.loads(data) except ValueError as err: logging.debug('Failed to load json data: %s: [%s]', str(err), data) json_data = json.loads(ErrorEvent.error_json(err)) if 'type' not in json_data: raise GerritError('`type` not in json_data') name = json_data['type'] if name not in cls._events: name = 'unhandled-event' event = cls._events[name] module_name = event[0] class_name = event[1] module = __import__(module_name, fromlist=[module_name]) klazz = getattr(module, class_name) return klazz(json_data)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data):\n try:\n json_data = json.loads(data)\n except ValueError as err:\n logging.debug('Failed to load json data: %s: [%s]', str(err), data)\n json_data = json.loads(ErrorEvent.error_json(err))\n if 'type' not in json_data:\n raise GerritError('`type` not in json_data')\n name = json_data['type']\n if name not in cls._events:\n name = 'unhandled-event'\n event = cls._events[name]\n module_name = event[0]\n class_name = event[1]\n module = __import__(module_name, fromlist=[module_name])\n klazz = getattr(module, class_name)\n return klazz(json_data)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(response): content = response.content.strip() logging.debug(content[:512]) response.raise_for_status() if content.startswith(GERRIT_MAGIC_JSON_PREFIX): content = content[len(GERRIT_MAGIC_JSON_PREFIX):] try: return json.loads(content) except ValueError: logging.error('Invalid json content: %s' % content) raise
decode_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n content = response.content.strip()\n logging.debug(content[:512])\n response.raise_for_status()\n if content.startswith(GERRIT_MAGIC_JSON_PREFIX):\n content = content[len(GERRIT_MAGIC_JSON_PREFIX):]\n try:\n return json.loads(content)\n except ValueError:\n logging.error('Invalid json content: %s' % content)\n raise\n", "role": "user" }, { "content": "decode_response", "role": "assistant" } ]
def x(self, endpoint, **kwargs): kwargs.update(self.kwargs.copy()) if 'data' in kwargs: kwargs['headers'].update({'Content-Type': 'application/json;charset=UTF-8'}) response = requests.put(self.make_url(endpoint), **kwargs) return _decode_response(response)
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint, **kwargs):\n kwargs.update(self.kwargs.copy())\n if 'data' in kwargs:\n kwargs['headers'].update({'Content-Type':\n 'application/json;charset=UTF-8'})\n response = requests.put(self.make_url(endpoint), **kwargs)\n return _decode_response(response)\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, endpoint, **kwargs): kwargs.update(self.kwargs.copy()) response = requests.delete(self.make_url(endpoint), **kwargs) return _decode_response(response)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, endpoint, **kwargs):\n kwargs.update(self.kwargs.copy())\n response = requests.delete(self.make_url(endpoint), **kwargs)\n return _decode_response(response)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, change_id, revision, review): endpoint = 'changes/%s/revisions/%s/review' % (change_id, revision) self.post(endpoint, data=str(review))
review
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, change_id, revision, review):\n endpoint = 'changes/%s/revisions/%s/review' % (change_id, revision)\n self.post(endpoint, data=str(review))\n", "role": "user" }, { "content": "review", "role": "assistant" } ]
def x(self, comments): for comment in comments: if 'filename' and 'message' in comment.keys(): msg = {} if 'range' in comment.keys(): msg = {'range': comment['range'], 'message': comment['message'] } elif 'line' in comment.keys(): msg = {'line': comment['line'], 'message': comment['message']} else: continue file_comment = {comment['filename']: [msg]} if self.comments: if comment['filename'] in self.comments.keys(): self.comments[comment['filename']].append(msg) else: self.comments.update(file_comment) else: self.comments.update(file_comment)
add_comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, comments):\n for comment in comments:\n if 'filename' and 'message' in comment.keys():\n msg = {}\n if 'range' in comment.keys():\n msg = {'range': comment['range'], 'message': comment['message']\n }\n elif 'line' in comment.keys():\n msg = {'line': comment['line'], 'message': comment['message']}\n else:\n continue\n file_comment = {comment['filename']: [msg]}\n if self.comments:\n if comment['filename'] in self.comments.keys():\n self.comments[comment['filename']].append(msg)\n else:\n self.comments.update(file_comment)\n else:\n self.comments.update(file_comment)\n", "role": "user" }, { "content": "add_comments", "role": "assistant" } ]
def x(self, transport): self._connected = True self.transport = transport self.remote_ip, self.port = transport.get_extra_info('peername')[:2] logging.debug('Connection made (address: {} port: {})'.format(self. remote_ip, self.port)) self.auth_future = self.send_package(protomap.CPROTO_REQ_AUTH, data=( self._username, self._password, self._dbname), timeout=10) self._password = None self.on_connection_made()
connection_made
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transport):\n self._connected = True\n self.transport = transport\n self.remote_ip, self.port = transport.get_extra_info('peername')[:2]\n logging.debug('Connection made (address: {} port: {})'.format(self.\n remote_ip, self.port))\n self.auth_future = self.send_package(protomap.CPROTO_REQ_AUTH, data=(\n self._username, self._password, self._dbname), timeout=10)\n self._password = None\n self.on_connection_made()\n", "role": "user" }, { "content": "connection_made", "role": "assistant" } ]
def x(self, exc): self._connected = False logging.debug('Connection lost (address: {} port: {})'.format(self. remote_ip, self.port)) for pid, (future, task) in self._requests.items(): task.cancel() if future.cancelled(): continue future.set_exception(ConnectionError( 'Connection is lost before we had an answer on package id: {}.' .format(pid))) self.on_connection_lost(exc)
connection_lost
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exc):\n self._connected = False\n logging.debug('Connection lost (address: {} port: {})'.format(self.\n remote_ip, self.port))\n for pid, (future, task) in self._requests.items():\n task.cancel()\n if future.cancelled():\n continue\n future.set_exception(ConnectionError(\n 'Connection is lost before we had an answer on package id: {}.'\n .format(pid)))\n self.on_connection_lost(exc)\n", "role": "user" }, { "content": "connection_lost", "role": "assistant" } ]
def x(self, data): self._buffered_data.extend(data) while self._buffered_data: size = len(self._buffered_data) if self._data_package is None: if size < DataPackage.struct_datapackage.size: return None self._data_package = DataPackage(self._buffered_data) if size < self._data_package.length: return None try: self._data_package.extract_data_from(self._buffered_data) except KeyError as e: logging.error('Unsupported package received: {}'.format(e)) except Exception as e: logging.exception(e) self._buffered_data.clear() else: self._on_package_received() self._data_package = None
data_received
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n self._buffered_data.extend(data)\n while self._buffered_data:\n size = len(self._buffered_data)\n if self._data_package is None:\n if size < DataPackage.struct_datapackage.size:\n return None\n self._data_package = DataPackage(self._buffered_data)\n if size < self._data_package.length:\n return None\n try:\n self._data_package.extract_data_from(self._buffered_data)\n except KeyError as e:\n logging.error('Unsupported package received: {}'.format(e))\n except Exception as e:\n logging.exception(e)\n self._buffered_data.clear()\n else:\n self._on_package_received()\n self._data_package = None\n", "role": "user" }, { "content": "data_received", "role": "assistant" } ]
def x(self, transport): self.transport = transport self.remote_ip, self.port = transport.get_extra_info('peername')[:2] logging.debug('Connection made (address: {} port: {})'.format(self. remote_ip, self.port)) self.future = self.send_package(protomap.CPROTO_REQ_INFO, data=None, timeout=10)
connection_made
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transport):\n self.transport = transport\n self.remote_ip, self.port = transport.get_extra_info('peername')[:2]\n logging.debug('Connection made (address: {} port: {})'.format(self.\n remote_ip, self.port))\n self.future = self.send_package(protomap.CPROTO_REQ_INFO, data=None,\n timeout=10)\n", "role": "user" }, { "content": "connection_made", "role": "assistant" } ]
def x(self, server, timeout=30): result = self._loop.run_until_complete(self._protocol.send_package( CPROTO_REQ_REGISTER_SERVER, data=server, timeout=timeout)) return result
register_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server, timeout=30):\n result = self._loop.run_until_complete(self._protocol.send_package(\n CPROTO_REQ_REGISTER_SERVER, data=server, timeout=timeout))\n return result\n", "role": "user" }, { "content": "register_server", "role": "assistant" } ]
def x(self, fn, timeout=30): msg = FILE_MAP.get(fn, None) if msg is None: raise FileNotFoundError( 'Cannot get file {!r}. Available file requests are: {}'.format( fn, ', '.join(FILE_MAP.keys()))) result = self._loop.run_until_complete(self._protocol.send_package(msg, timeout=timeout)) return result
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, timeout=30):\n msg = FILE_MAP.get(fn, None)\n if msg is None:\n raise FileNotFoundError(\n 'Cannot get file {!r}. Available file requests are: {}'.format(\n fn, ', '.join(FILE_MAP.keys())))\n result = self._loop.run_until_complete(self._protocol.send_package(msg,\n timeout=timeout))\n return result\n", "role": "user" }, { "content": "get_file", "role": "assistant" } ]
def x(bits, lower=-90.0, middle=0.0, upper=90.0): for i in bits: if i: lower = middle else: upper = middle middle = (upper + lower) / 2 return middle
bits_to_float
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bits, lower=-90.0, middle=0.0, upper=90.0):\n for i in bits:\n if i:\n lower = middle\n else:\n upper = middle\n middle = (upper + lower) / 2\n return middle\n", "role": "user" }, { "content": "bits_to_float", "role": "assistant" } ]
def x(value, lower=-90.0, middle=0.0, upper=90.0, length=15): ret = [] for i in range(length): if value >= middle: lower = middle ret.append(1) else: upper = middle ret.append(0) middle = (upper + lower) / 2 return ret
float_to_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, lower=-90.0, middle=0.0, upper=90.0, length=15):\n ret = []\n for i in range(length):\n if value >= middle:\n lower = middle\n ret.append(1)\n else:\n upper = middle\n ret.append(0)\n middle = (upper + lower) / 2\n return ret\n", "role": "user" }, { "content": "float_to_bits", "role": "assistant" } ]
def x(value): b = map(BASE32MAP.get, value) ret = [] for i in b: out = [] for z in range(5): out.append(i & 1) i = i >> 1 ret += out[::-1] return ret
geohash_to_bits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n b = map(BASE32MAP.get, value)\n ret = []\n for i in b:\n out = []\n for z in range(5):\n out.append(i & 1)\n i = i >> 1\n ret += out[::-1]\n return ret\n", "role": "user" }, { "content": "geohash_to_bits", "role": "assistant" } ]
def x(value): ret = [] for i in (value[i:i + 5] for i in xrange(0, len(value), 5)): total = sum([(bit * 2 ** count) for count, bit in enumerate(i[::-1])]) ret.append(BASE32MAPR[total]) return ''.join(ret)
bits_to_geohash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n ret = []\n for i in (value[i:i + 5] for i in xrange(0, len(value), 5)):\n total = sum([(bit * 2 ** count) for count, bit in enumerate(i[::-1])])\n ret.append(BASE32MAPR[total])\n return ''.join(ret)\n", "role": "user" }, { "content": "bits_to_geohash", "role": "assistant" } ]
def x(value): assert value, 'Invalid geohash: %s' % value bits = _geohash_to_bits(value) lon = bits[0::2] lat = bits[1::2] return _bits_to_float(lon, lower=-180.0, upper=180.0), _bits_to_float(lat)
decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n assert value, 'Invalid geohash: %s' % value\n bits = _geohash_to_bits(value)\n lon = bits[0::2]\n lat = bits[1::2]\n return _bits_to_float(lon, lower=-180.0, upper=180.0), _bits_to_float(lat)\n", "role": "user" }, { "content": "decode", "role": "assistant" } ]
def x(lonlat, length=12): assert len(lonlat) == 2, 'Invalid lon/lat: %s' % lonlat length /= 2 lon = _float_to_bits(lonlat[0], lower=-180.0, upper=180.0, length= length * 5) lat = _float_to_bits(lonlat[1], lower=-90.0, upper=90.0, length=length * 5) ret = [] for a, b in zip(lon, lat): ret.append(a) ret.append(b) return _bits_to_geohash(ret)
encode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lonlat, length=12):\n assert len(lonlat) == 2, 'Invalid lon/lat: %s' % lonlat\n length /= 2\n lon = _float_to_bits(lonlat[0], lower=-180.0, upper=180.0, length=\n length * 5)\n lat = _float_to_bits(lonlat[1], lower=-90.0, upper=90.0, length=length * 5)\n ret = []\n for a, b in zip(lon, lat):\n ret.append(a)\n ret.append(b)\n return _bits_to_geohash(ret)\n", "role": "user" }, { "content": "encode", "role": "assistant" } ]
def x(geohash, direction): assert direction in 'nsew', 'Invalid direction: %s' % direction assert geohash, 'Invalid geohash: %s' % geohash neighbor = {'n': ['p0r21436x8zb9dcf5h7kjnmqesgutwvy', 'bc01fg45238967deuvhjyznpkmstqrwx'], 's': [ '14365h7k9dcfesgujnmqp0r2twvyx8zb', '238967debc01fg45kmstqrwxuvhjyznp'], 'e': [ 'bc01fg45238967deuvhjyznpkmstqrwx', 'p0r21436x8zb9dcf5h7kjnmqesgutwvy'], 'w': [ '238967debc01fg45kmstqrwxuvhjyznp', '14365h7k9dcfesgujnmqp0r2twvyx8zb'] } border = {'n': ['prxz', 'bcfguvyz'], 's': ['028b', '0145hjnp'], 'e': [ 'bcfguvyz', 'prxz'], 'w': ['0145hjnp', '028b']} last = geohash[-1] parent = geohash[0:-1] t = len(geohash) % 2 if last in border[direction][t] and parent: parent = adjacent(parent, direction) return parent + BASESEQUENCE[neighbor[direction][t].index(last)]
adjacent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geohash, direction):\n assert direction in 'nsew', 'Invalid direction: %s' % direction\n assert geohash, 'Invalid geohash: %s' % geohash\n neighbor = {'n': ['p0r21436x8zb9dcf5h7kjnmqesgutwvy',\n 'bc01fg45238967deuvhjyznpkmstqrwx'], 's': [\n '14365h7k9dcfesgujnmqp0r2twvyx8zb',\n '238967debc01fg45kmstqrwxuvhjyznp'], 'e': [\n 'bc01fg45238967deuvhjyznpkmstqrwx',\n 'p0r21436x8zb9dcf5h7kjnmqesgutwvy'], 'w': [\n '238967debc01fg45kmstqrwxuvhjyznp', '14365h7k9dcfesgujnmqp0r2twvyx8zb']\n }\n border = {'n': ['prxz', 'bcfguvyz'], 's': ['028b', '0145hjnp'], 'e': [\n 'bcfguvyz', 'prxz'], 'w': ['0145hjnp', '028b']}\n last = geohash[-1]\n parent = geohash[0:-1]\n t = len(geohash) % 2\n if last in border[direction][t] and parent:\n parent = adjacent(parent, direction)\n return parent + BASESEQUENCE[neighbor[direction][t].index(last)]\n", "role": "user" }, { "content": "adjacent", "role": "assistant" } ]
def x(geohash): return {'n': adjacent(geohash, 'n'), 'ne': adjacent(adjacent(geohash, 'n'), 'e'), 'e': adjacent(geohash, 'e'), 'se': adjacent(adjacent( geohash, 's'), 'e'), 's': adjacent(geohash, 's'), 'sw': adjacent( adjacent(geohash, 's'), 'w'), 'w': adjacent(geohash, 'w'), 'nw': adjacent(adjacent(geohash, 'n'), 'w'), 'c': geohash}
neighbors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(geohash):\n return {'n': adjacent(geohash, 'n'), 'ne': adjacent(adjacent(geohash,\n 'n'), 'e'), 'e': adjacent(geohash, 'e'), 'se': adjacent(adjacent(\n geohash, 's'), 'e'), 's': adjacent(geohash, 's'), 'sw': adjacent(\n adjacent(geohash, 's'), 'w'), 'w': adjacent(geohash, 'w'), 'nw':\n adjacent(adjacent(geohash, 'n'), 'w'), 'c': geohash}\n", "role": "user" }, { "content": "neighbors", "role": "assistant" } ]
def x(_lambda): def x(f): @wraps(f) def x(self, *f_args, **f_kwargs): try: f(self, *f_args, **f_kwargs) except KeyboardInterrupt: _lambda(self).set() return wrapped_f return wrapper
set_event_when_keyboard_interrupt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_lambda):\n\n def x(f):\n\n @wraps(f)\n def x(self, *f_args, **f_kwargs):\n try:\n f(self, *f_args, **f_kwargs)\n except KeyboardInterrupt:\n _lambda(self).set()\n return wrapped_f\n return wrapper\n", "role": "user" }, { "content": "set_event_when_keyboard_interrupt", "role": "assistant" } ]
def x(self): s1 = re.sub('(.)([A-Z][a-z]+)', '\\1_\\2', self.__class__.__name__) return re.sub('([a-z0-9])([A-Z])', '\\1_\\2', s1).lower()
run_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n s1 = re.sub('(.)([A-Z][a-z]+)', '\\\\1_\\\\2', self.__class__.__name__)\n return re.sub('([a-z0-9])([A-Z])', '\\\\1_\\\\2', s1).lower()\n", "role": "user" }, { "content": "run_id", "role": "assistant" } ]
def x(self): conf = namedtuple('conf', field_names=self._conf.keys()) return conf(**self._conf)
conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n conf = namedtuple('conf', field_names=self._conf.keys())\n return conf(**self._conf)\n", "role": "user" }, { "content": "conf", "role": "assistant" } ]
def x(self): run_conf = namedtuple('run_conf', field_names=self._run_conf.keys()) return run_conf(**self._run_conf)
run_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n run_conf = namedtuple('run_conf', field_names=self._run_conf.keys())\n return run_conf(**self._run_conf)\n", "role": "user" }, { "content": "run_conf", "role": "assistant" } ]
def x(self): default_run_conf = namedtuple('default_run_conf', field_names=self. _default_run_conf.keys()) return default_run_conf(**self._default_run_conf)
default_run_conf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n default_run_conf = namedtuple('default_run_conf', field_names=self.\n _default_run_conf.keys())\n return default_run_conf(**self._default_run_conf)\n", "role": "user" }, { "content": "default_run_conf", "role": "assistant" } ]
def x(self, run_conf, run_number=None): self.stop_run.clear() self.abort_run.clear() self._run_status = run_status.running self._write_run_number(run_number) self._init_run_conf(run_conf)
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, run_conf, run_number=None):\n self.stop_run.clear()\n self.abort_run.clear()\n self._run_status = run_status.running\n self._write_run_number(run_number)\n self._init_run_conf(run_conf)\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(self, functions): self._cancel_functions = [] for func in functions: if isinstance(func, basestring) and hasattr(self, func) and callable( getattr(self, func)): self._cancel_functions.append(getattr(self, func)) elif callable(func): self._cancel_functions.append(func) else: raise ValueError('Unknown function %s' % str(func))
connect_cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, functions):\n self._cancel_functions = []\n for func in functions:\n if isinstance(func, basestring) and hasattr(self, func) and callable(\n getattr(self, func)):\n self._cancel_functions.append(getattr(self, func))\n elif callable(func):\n self._cancel_functions.append(func)\n else:\n raise ValueError('Unknown function %s' % str(func))\n", "role": "user" }, { "content": "connect_cancel", "role": "assistant" } ]
def x(self, **kwargs): for func in self._cancel_functions: f_args = getargspec(func)[0] f_kwargs = {key: kwargs[key] for key in f_args if key in kwargs} func(**f_kwargs)
handle_cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n for func in self._cancel_functions:\n f_args = getargspec(func)[0]\n f_kwargs = {key: kwargs[key] for key in f_args if key in kwargs}\n func(**f_kwargs)\n", "role": "user" }, { "content": "handle_cancel", "role": "assistant" } ]