source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(velocity_x, velocity_y, velocity_z, duration):
msg = vehicle.message_factory.set_position_target_local_ned_encode(0, 0,
0, mavutil.mavlink.MAV_FRAME_LOCAL_NED, 4039, 0, 0, 0, velocity_x,
velocity_y, velocity_z, 0, 0, 0, 0, 0)
for x in range(0, duration):
vehicle.send_mavlink(msg)
time.sleep(1)
| send_ned_velocity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(velocity_x, velocity_y, velocity_z, duration):\n msg = vehicle.message_factory.set_position_target_local_ned_encode(0, 0,\n 0, mavutil.mavlink.MAV_FRAME_LOCAL_NED, 4039, 0, 0, 0, velocity_x,\n velocity_y, velocity_z, 0, 0, 0, 0, 0)\n for x in range(0, duration):\n vehicle.send_mavlink(msg)\n time.sleep(1)\n",
"role": "user"
},
{
"content": "send_ned_velocity",
"role": "assistant"
}
] |
def x(velocity_x, velocity_y, velocity_z, duration):
msg = vehicle.message_factory.set_position_target_global_int_encode(0,
0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT_INT, 4039, 0, 0,
0, velocity_x, velocity_y, velocity_z, 0, 0, 0, 0, 0)
for x in range(0, duration):
vehicle.send_mavlink(msg)
time.sleep(1)
| send_global_velocity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(velocity_x, velocity_y, velocity_z, duration):\n msg = vehicle.message_factory.set_position_target_global_int_encode(0, \n 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT_INT, 4039, 0, 0,\n 0, velocity_x, velocity_y, velocity_z, 0, 0, 0, 0, 0)\n for x in range(0, duration):\n vehicle.send_mavlink(msg)\n time.sleep(1)\n",
"role": "user"
},
{
"content": "send_global_velocity",
"role": "assistant"
}
] |
def x(aFileName):
print('\nReading mission from file: %s' % aFileName)
cmds = vehicle.commands
missionlist = []
with open(aFileName) as f:
for i, line in enumerate(f):
if i == 0:
if not line.startswith('QGC WPL 110'):
raise Exception('File is not supported WP version')
else:
linearray = line.split('\t')
ln_index = int(linearray[0])
ln_currentwp = int(linearray[1])
ln_frame = int(linearray[2])
ln_command = int(linearray[3])
ln_param1 = float(linearray[4])
ln_param2 = float(linearray[5])
ln_param3 = float(linearray[6])
ln_param4 = float(linearray[7])
ln_param5 = float(linearray[8])
ln_param6 = float(linearray[9])
ln_param7 = float(linearray[10])
ln_autocontinue = int(linearray[11].strip())
cmd = Command(0, 0, 0, ln_frame, ln_command, ln_currentwp,
ln_autocontinue, ln_param1, ln_param2, ln_param3,
ln_param4, ln_param5, ln_param6, ln_param7)
missionlist.append(cmd)
return missionlist
| readmission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aFileName):\n print('\\nReading mission from file: %s' % aFileName)\n cmds = vehicle.commands\n missionlist = []\n with open(aFileName) as f:\n for i, line in enumerate(f):\n if i == 0:\n if not line.startswith('QGC WPL 110'):\n raise Exception('File is not supported WP version')\n else:\n linearray = line.split('\\t')\n ln_index = int(linearray[0])\n ln_currentwp = int(linearray[1])\n ln_frame = int(linearray[2])\n ln_command = int(linearray[3])\n ln_param1 = float(linearray[4])\n ln_param2 = float(linearray[5])\n ln_param3 = float(linearray[6])\n ln_param4 = float(linearray[7])\n ln_param5 = float(linearray[8])\n ln_param6 = float(linearray[9])\n ln_param7 = float(linearray[10])\n ln_autocontinue = int(linearray[11].strip())\n cmd = Command(0, 0, 0, ln_frame, ln_command, ln_currentwp,\n ln_autocontinue, ln_param1, ln_param2, ln_param3,\n ln_param4, ln_param5, ln_param6, ln_param7)\n missionlist.append(cmd)\n return missionlist\n",
"role": "user"
},
{
"content": "readmission",
"role": "assistant"
}
] |
def x(aFileName):
missionlist = readmission(aFileName)
print('\nUpload mission from a file: %s' % aFileName)
print(' Clear mission')
cmds = vehicle.commands
cmds.clear()
for command in missionlist:
cmds.add(command)
print(' Upload mission')
vehicle.commands.upload()
| upload_mission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aFileName):\n missionlist = readmission(aFileName)\n print('\\nUpload mission from a file: %s' % aFileName)\n print(' Clear mission')\n cmds = vehicle.commands\n cmds.clear()\n for command in missionlist:\n cmds.add(command)\n print(' Upload mission')\n vehicle.commands.upload()\n",
"role": "user"
},
{
"content": "upload_mission",
"role": "assistant"
}
] |
def x():
print(' Download mission from vehicle')
missionlist = []
cmds = vehicle.commands
cmds.download()
cmds.wait_ready()
for cmd in cmds:
missionlist.append(cmd)
return missionlist
| download_mission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print(' Download mission from vehicle')\n missionlist = []\n cmds = vehicle.commands\n cmds.download()\n cmds.wait_ready()\n for cmd in cmds:\n missionlist.append(cmd)\n return missionlist\n",
"role": "user"
},
{
"content": "download_mission",
"role": "assistant"
}
] |
def x(aFileName):
print('\nSave mission from Vehicle to file: %s' % aFileName)
missionlist = download_mission()
output = 'QGC WPL 110\n'
home = vehicle.home_location
output += '%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\n' % (0, 1, 0,
16, 0, 0, 0, 0, home.lat, home.lon, home.alt, 1)
for cmd in missionlist:
commandline = '%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\t%s\n' % (cmd
.seq, cmd.current, cmd.frame, cmd.command, cmd.param1, cmd.
param2, cmd.param3, cmd.param4, cmd.x, cmd.y, cmd.z, cmd.
autocontinue)
output += commandline
with open(aFileName, 'w') as file_:
print(' Write mission to file')
file_.write(output)
| save_mission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aFileName):\n print('\\nSave mission from Vehicle to file: %s' % aFileName)\n missionlist = download_mission()\n output = 'QGC WPL 110\\n'\n home = vehicle.home_location\n output += '%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\n' % (0, 1, 0,\n 16, 0, 0, 0, 0, home.lat, home.lon, home.alt, 1)\n for cmd in missionlist:\n commandline = '%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\t%s\\n' % (cmd\n .seq, cmd.current, cmd.frame, cmd.command, cmd.param1, cmd.\n param2, cmd.param3, cmd.param4, cmd.x, cmd.y, cmd.z, cmd.\n autocontinue)\n output += commandline\n with open(aFileName, 'w') as file_:\n print(' Write mission to file')\n file_.write(output)\n",
"role": "user"
},
{
"content": "save_mission",
"role": "assistant"
}
] |
def x(aFileName):
print('\nMission file: %s' % aFileName)
with open(aFileName) as f:
for line in f:
print(' %s' % line.strip())
| printfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aFileName):\n print('\\nMission file: %s' % aFileName)\n with open(aFileName) as f:\n for line in f:\n print(' %s' % line.strip())\n",
"role": "user"
},
{
"content": "printfile",
"role": "assistant"
}
] |
def x():
nextwaypoint = vehicle.commands.next
if nextwaypoint == 0:
return None
missionitem = vehicle.commands[nextwaypoint - 1]
lat = missionitem.x
lon = missionitem.y
alt = missionitem.z
targetWaypointLocation = LocationGlobalRelative(lat, lon, alt)
distancetopoint = get_distance_metres(vehicle.location.global_frame,
targetWaypointLocation)
return distancetopoint
| distance_to_current_waypoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n nextwaypoint = vehicle.commands.next\n if nextwaypoint == 0:\n return None\n missionitem = vehicle.commands[nextwaypoint - 1]\n lat = missionitem.x\n lon = missionitem.y\n alt = missionitem.z\n targetWaypointLocation = LocationGlobalRelative(lat, lon, alt)\n distancetopoint = get_distance_metres(vehicle.location.global_frame,\n targetWaypointLocation)\n return distancetopoint\n",
"role": "user"
},
{
"content": "distance_to_current_waypoint",
"role": "assistant"
}
] |
def x(filename):
messages = []
mlog = mavutil.mavlink_connection(filename)
while True:
try:
m = mlog.recv_match(type=['GLOBAL_POSITION_INT'])
if m is None:
break
except Exception:
break
if m.lat == 0:
continue
messages.append(m)
num_points = len(messages)
keep_point_distance = 3
kept_messages = []
kept_messages.append(messages[0])
pt1num = 0
pt2num = 1
while True:
if pt2num == num_points - 1 or len(kept_messages) == 99:
kept_messages.append(messages[pt2num])
break
pt1 = LocationGlobalRelative(messages[pt1num].lat / 10000000.0,
messages[pt1num].lon / 10000000.0, 0)
pt2 = LocationGlobalRelative(messages[pt2num].lat / 10000000.0,
messages[pt2num].lon / 10000000.0, 0)
distance_between_points = get_distance_metres(pt1, pt2)
if distance_between_points > keep_point_distance:
kept_messages.append(messages[pt2num])
pt1num = pt2num
pt2num = pt2num + 1
return kept_messages
| position_messages_from_tlog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n messages = []\n mlog = mavutil.mavlink_connection(filename)\n while True:\n try:\n m = mlog.recv_match(type=['GLOBAL_POSITION_INT'])\n if m is None:\n break\n except Exception:\n break\n if m.lat == 0:\n continue\n messages.append(m)\n num_points = len(messages)\n keep_point_distance = 3\n kept_messages = []\n kept_messages.append(messages[0])\n pt1num = 0\n pt2num = 1\n while True:\n if pt2num == num_points - 1 or len(kept_messages) == 99:\n kept_messages.append(messages[pt2num])\n break\n pt1 = LocationGlobalRelative(messages[pt1num].lat / 10000000.0, \n messages[pt1num].lon / 10000000.0, 0)\n pt2 = LocationGlobalRelative(messages[pt2num].lat / 10000000.0, \n messages[pt2num].lon / 10000000.0, 0)\n distance_between_points = get_distance_metres(pt1, pt2)\n if distance_between_points > keep_point_distance:\n kept_messages.append(messages[pt2num])\n pt1num = pt2num\n pt2num = pt2num + 1\n return kept_messages\n",
"role": "user"
},
{
"content": "position_messages_from_tlog",
"role": "assistant"
}
] |
def x(aTargetAltitude):
while not vehicle.is_armable:
print(' Waiting for vehicle to initialise...')
time.sleep(1)
while vehicle.mode.name != 'GUIDED':
vehicle.mode = VehicleMode('GUIDED')
time.sleep(0.1)
while not vehicle.armed:
vehicle.armed = True
print(' Waiting for arming...')
time.sleep(1)
print(' Taking off!')
vehicle.simple_takeoff(aTargetAltitude)
while True:
requiredAlt = aTargetAltitude * 0.95
if vehicle.location.global_relative_frame.alt >= requiredAlt:
print(' Reached target altitude of ~%f' % aTargetAltitude)
break
print(' Altitude: %f < %f' % (vehicle.location.
global_relative_frame.alt, requiredAlt))
time.sleep(1)
| arm_and_takeoff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aTargetAltitude):\n while not vehicle.is_armable:\n print(' Waiting for vehicle to initialise...')\n time.sleep(1)\n while vehicle.mode.name != 'GUIDED':\n vehicle.mode = VehicleMode('GUIDED')\n time.sleep(0.1)\n while not vehicle.armed:\n vehicle.armed = True\n print(' Waiting for arming...')\n time.sleep(1)\n print(' Taking off!')\n vehicle.simple_takeoff(aTargetAltitude)\n while True:\n requiredAlt = aTargetAltitude * 0.95\n if vehicle.location.global_relative_frame.alt >= requiredAlt:\n print(' Reached target altitude of ~%f' % aTargetAltitude)\n break\n print(' Altitude: %f < %f' % (vehicle.location.\n global_relative_frame.alt, requiredAlt))\n time.sleep(1)\n",
"role": "user"
},
{
"content": "arm_and_takeoff",
"role": "assistant"
}
] |
def x(original_location, dNorth, dEast):
earth_radius = 6378137.0
dLat = dNorth / earth_radius
dLon = dEast / (earth_radius * math.cos(math.pi * original_location.lat /
180))
newlat = original_location.lat + dLat * 180 / math.pi
newlon = original_location.lon + dLon * 180 / math.pi
return LocationGlobal(newlat, newlon, original_location.alt)
| get_location_metres | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(original_location, dNorth, dEast):\n earth_radius = 6378137.0\n dLat = dNorth / earth_radius\n dLon = dEast / (earth_radius * math.cos(math.pi * original_location.lat /\n 180))\n newlat = original_location.lat + dLat * 180 / math.pi\n newlon = original_location.lon + dLon * 180 / math.pi\n return LocationGlobal(newlat, newlon, original_location.alt)\n",
"role": "user"
},
{
"content": "get_location_metres",
"role": "assistant"
}
] |
def x(aLocation, aSize):
cmds = vehicle.commands
print(' Clear any existing commands')
cmds.clear()
print(' Define/add new commands.')
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, 0, 10))
point1 = get_location_metres(aLocation, aSize, -aSize)
point2 = get_location_metres(aLocation, aSize, aSize)
point3 = get_location_metres(aLocation, -aSize, aSize)
point4 = get_location_metres(aLocation, -aSize, -aSize)
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point1.lat,
point1.lon, 11))
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point2.lat,
point2.lon, 12))
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point3.lat,
point3.lon, 13))
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point4.lat,
point4.lon, 14))
cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,
mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point4.lat,
point4.lon, 14))
print(' Upload new commands to vehicle')
cmds.upload()
| adds_square_mission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aLocation, aSize):\n cmds = vehicle.commands\n print(' Clear any existing commands')\n cmds.clear()\n print(' Define/add new commands.')\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, 0, 10))\n point1 = get_location_metres(aLocation, aSize, -aSize)\n point2 = get_location_metres(aLocation, aSize, aSize)\n point3 = get_location_metres(aLocation, -aSize, aSize)\n point4 = get_location_metres(aLocation, -aSize, -aSize)\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point1.lat,\n point1.lon, 11))\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point2.lat,\n point2.lon, 12))\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point3.lat,\n point3.lon, 13))\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point4.lat,\n point4.lon, 14))\n cmds.add(Command(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT,\n mavutil.mavlink.MAV_CMD_NAV_WAYPOINT, 0, 0, 0, 0, 0, 0, point4.lat,\n point4.lon, 14))\n print(' Upload new commands to vehicle')\n cmds.upload()\n",
"role": "user"
},
{
"content": "adds_square_mission",
"role": "assistant"
}
] |
def x(ip, _initialize=True, wait_ready=None, timeout=30,
still_waiting_callback=default_still_waiting_callback,
still_waiting_interval=1, status_printer=None, vehicle_class=None, rate
=4, baud=115200, heartbeat_timeout=30, source_system=255,
source_component=0, use_native=False):
from dronekit.mavlink import MAVConnection
if not vehicle_class:
vehicle_class = Vehicle
handler = MAVConnection(ip, baud=baud, source_system=source_system,
source_component=source_component, use_native=use_native)
vehicle = vehicle_class(handler)
if status_printer:
vehicle._autopilot_logger.addHandler(ErrprinterHandler(status_printer))
if _initialize:
vehicle.initialize(rate=rate, heartbeat_timeout=heartbeat_timeout)
if wait_ready:
if wait_ready is True:
vehicle.wait_ready(still_waiting_interval=
still_waiting_interval, still_waiting_callback=
still_waiting_callback, timeout=timeout)
else:
vehicle.wait_ready(*wait_ready)
return vehicle
| connect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip, _initialize=True, wait_ready=None, timeout=30,\n still_waiting_callback=default_still_waiting_callback,\n still_waiting_interval=1, status_printer=None, vehicle_class=None, rate\n =4, baud=115200, heartbeat_timeout=30, source_system=255,\n source_component=0, use_native=False):\n from dronekit.mavlink import MAVConnection\n if not vehicle_class:\n vehicle_class = Vehicle\n handler = MAVConnection(ip, baud=baud, source_system=source_system,\n source_component=source_component, use_native=use_native)\n vehicle = vehicle_class(handler)\n if status_printer:\n vehicle._autopilot_logger.addHandler(ErrprinterHandler(status_printer))\n if _initialize:\n vehicle.initialize(rate=rate, heartbeat_timeout=heartbeat_timeout)\n if wait_ready:\n if wait_ready is True:\n vehicle.wait_ready(still_waiting_interval=\n still_waiting_interval, still_waiting_callback=\n still_waiting_callback, timeout=timeout)\n else:\n vehicle.wait_ready(*wait_ready)\n return vehicle\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self):
if self.north is not None and self.east is not None:
if self.down is not None:
return math.sqrt(self.north ** 2 + self.east ** 2 + self.down ** 2)
else:
return math.sqrt(self.north ** 2 + self.east ** 2)
| distance_home | [
{
"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.north is not None and self.east is not None:\n if self.down is not None:\n return math.sqrt(self.north ** 2 + self.east ** 2 + self.down ** 2)\n else:\n return math.sqrt(self.north ** 2 + self.east ** 2)\n",
"role": "user"
},
{
"content": "distance_home",
"role": "assistant"
}
] |
def x(self, attr_name, observer):
listeners_for_attr = self._attribute_listeners.get(attr_name)
if listeners_for_attr is None:
listeners_for_attr = []
self._attribute_listeners[attr_name] = listeners_for_attr
if observer not in listeners_for_attr:
listeners_for_attr.append(observer)
| add_attribute_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, observer):\n listeners_for_attr = self._attribute_listeners.get(attr_name)\n if listeners_for_attr is None:\n listeners_for_attr = []\n self._attribute_listeners[attr_name] = listeners_for_attr\n if observer not in listeners_for_attr:\n listeners_for_attr.append(observer)\n",
"role": "user"
},
{
"content": "add_attribute_listener",
"role": "assistant"
}
] |
def x(self, attr_name, observer):
listeners_for_attr = self._attribute_listeners.get(attr_name)
if listeners_for_attr is not None:
listeners_for_attr.remove(observer)
if len(listeners_for_attr) == 0:
del self._attribute_listeners[attr_name]
| remove_attribute_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, observer):\n listeners_for_attr = self._attribute_listeners.get(attr_name)\n if listeners_for_attr is not None:\n listeners_for_attr.remove(observer)\n if len(listeners_for_attr) == 0:\n del self._attribute_listeners[attr_name]\n",
"role": "user"
},
{
"content": "remove_attribute_listener",
"role": "assistant"
}
] |
def x(self, attr_name, value, cache=False):
if cache:
if self._attribute_cache.get(attr_name) == value:
return
self._attribute_cache[attr_name] = value
for fn in self._attribute_listeners.get(attr_name, []):
try:
fn(self, attr_name, value)
except Exception:
self._logger.exception('Exception in attribute handler for %s' %
attr_name, exc_info=True)
for fn in self._attribute_listeners.get('*', []):
try:
fn(self, attr_name, value)
except Exception:
self._logger.exception('Exception in attribute handler for %s' %
attr_name, exc_info=True)
| notify_attribute_listeners | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, value, cache=False):\n if cache:\n if self._attribute_cache.get(attr_name) == value:\n return\n self._attribute_cache[attr_name] = value\n for fn in self._attribute_listeners.get(attr_name, []):\n try:\n fn(self, attr_name, value)\n except Exception:\n self._logger.exception('Exception in attribute handler for %s' %\n attr_name, exc_info=True)\n for fn in self._attribute_listeners.get('*', []):\n try:\n fn(self, attr_name, value)\n except Exception:\n self._logger.exception('Exception in attribute handler for %s' %\n attr_name, exc_info=True)\n",
"role": "user"
},
{
"content": "notify_attribute_listeners",
"role": "assistant"
}
] |
def x(self, name):
def x(fn):
if isinstance(name, list):
for n in name:
self.add_attribute_listener(n, fn)
else:
self.add_attribute_listener(name, fn)
return decorator
| on_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n\n def x(fn):\n if isinstance(name, list):\n for n in name:\n self.add_attribute_listener(n, fn)\n else:\n self.add_attribute_listener(name, fn)\n return decorator\n",
"role": "user"
},
{
"content": "on_attribute",
"role": "assistant"
}
] |
def x(self, name):
def x(fn):
if isinstance(name, list):
for n in name:
self.add_message_listener(n, fn)
else:
self.add_message_listener(name, fn)
return decorator
| on_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n\n def x(fn):\n if isinstance(name, list):\n for n in name:\n self.add_message_listener(n, fn)\n else:\n self.add_message_listener(name, fn)\n return decorator\n",
"role": "user"
},
{
"content": "on_message",
"role": "assistant"
}
] |
def x(self, name, fn):
name = str(name)
if name not in self._message_listeners:
self._message_listeners[name] = []
if fn not in self._message_listeners[name]:
self._message_listeners[name].append(fn)
| add_message_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, fn):\n name = str(name)\n if name not in self._message_listeners:\n self._message_listeners[name] = []\n if fn not in self._message_listeners[name]:\n self._message_listeners[name].append(fn)\n",
"role": "user"
},
{
"content": "add_message_listener",
"role": "assistant"
}
] |
def x(self, name, fn):
name = str(name)
if name in self._message_listeners:
if fn in self._message_listeners[name]:
self._message_listeners[name].remove(fn)
if len(self._message_listeners[name]) == 0:
del self._message_listeners[name]
| remove_message_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, fn):\n name = str(name)\n if name in self._message_listeners:\n if fn in self._message_listeners[name]:\n self._message_listeners[name].remove(fn)\n if len(self._message_listeners[name]) == 0:\n del self._message_listeners[name]\n",
"role": "user"
},
{
"content": "remove_message_listener",
"role": "assistant"
}
] |
def x(self):
if self._voltage is None or self._current is None or self._level is None:
return None
return Battery(self._voltage, self._current, self._level)
| battery | [
{
"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._voltage is None or self._current is None or self._level is None:\n return None\n return Battery(self._voltage, self._current, self._level)\n",
"role": "user"
},
{
"content": "battery",
"role": "assistant"
}
] |
def x(self):
return GPSInfo(self._eph, self._epv, self._fix_type, self.
_satellites_visible)
| gps_0 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return GPSInfo(self._eph, self._epv, self._fix_type, self.\n _satellites_visible)\n",
"role": "user"
},
{
"content": "gps_0",
"role": "assistant"
}
] |
def x(self):
return self.mode != 'INITIALISING' and (self.gps_0.fix_type is not None and
self.gps_0.fix_type > 1) and self._ekf_predposhorizabs
| is_armable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.mode != 'INITIALISING' and (self.gps_0.fix_type is not None and\n self.gps_0.fix_type > 1) and self._ekf_predposhorizabs\n",
"role": "user"
},
{
"content": "is_armable",
"role": "assistant"
}
] |
def x(self):
return {(0): SystemStatus('UNINIT'), (1): SystemStatus('BOOT'), (2):
SystemStatus('CALIBRATING'), (3): SystemStatus('STANDBY'), (4):
SystemStatus('ACTIVE'), (5): SystemStatus('CRITICAL'), (6):
SystemStatus('EMERGENCY'), (7): SystemStatus('POWEROFF')}.get(self.
_system_status, None)
| system_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return {(0): SystemStatus('UNINIT'), (1): SystemStatus('BOOT'), (2):\n SystemStatus('CALIBRATING'), (3): SystemStatus('STANDBY'), (4):\n SystemStatus('ACTIVE'), (5): SystemStatus('CRITICAL'), (6):\n SystemStatus('EMERGENCY'), (7): SystemStatus('POWEROFF')}.get(self.\n _system_status, None)\n",
"role": "user"
},
{
"content": "system_status",
"role": "assistant"
}
] |
def x(self):
if self.armed:
return self._ekf_poshorizabs and not self._ekf_constposmode
else:
return self._ekf_poshorizabs or self._ekf_predposhorizabs
| ekf_ok | [
{
"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.armed:\n return self._ekf_poshorizabs and not self._ekf_constposmode\n else:\n return self._ekf_poshorizabs or self._ekf_predposhorizabs\n",
"role": "user"
},
{
"content": "ekf_ok",
"role": "assistant"
}
] |
def x(self, pos):
if not isinstance(pos, LocationGlobal):
raise ValueError(
'Expecting home_location to be set to a LocationGlobal.')
self._home_location = copy.copy(pos)
self.send_mavlink(self.message_factory.command_long_encode(0, 0,
mavutil.mavlink.MAV_CMD_DO_SET_HOME, 0, 0, 0, 0, 0, pos.lat, pos.
lon, pos.alt))
| home_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos):\n if not isinstance(pos, LocationGlobal):\n raise ValueError(\n 'Expecting home_location to be set to a LocationGlobal.')\n self._home_location = copy.copy(pos)\n self.send_mavlink(self.message_factory.command_long_encode(0, 0,\n mavutil.mavlink.MAV_CMD_DO_SET_HOME, 0, 0, 0, 0, 0, pos.lat, pos.\n lon, pos.alt))\n",
"role": "user"
},
{
"content": "home_location",
"role": "assistant"
}
] |
def x(self, condition, timeout=None, interval=0.1, errmsg=None):
t0 = time.time()
while not condition():
t1 = time.time()
if timeout and t1 - t0 >= timeout:
raise TimeoutError(errmsg)
time.sleep(interval)
| wait_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, condition, timeout=None, interval=0.1, errmsg=None):\n t0 = time.time()\n while not condition():\n t1 = time.time()\n if timeout and t1 - t0 >= timeout:\n raise TimeoutError(errmsg)\n time.sleep(interval)\n",
"role": "user"
},
{
"content": "wait_for",
"role": "assistant"
}
] |
def x(self, timeout=None):
def x():
return self.is_armable
self.wait_for(check_armable, timeout=timeout)
| wait_for_armable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n\n def x():\n return self.is_armable\n self.wait_for(check_armable, timeout=timeout)\n",
"role": "user"
},
{
"content": "wait_for_armable",
"role": "assistant"
}
] |
def x(self, wait=True, timeout=None):
self.armed = True
if wait:
self.wait_for(lambda : self.armed, timeout=timeout, errmsg=
'failed to arm vehicle')
| arm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wait=True, timeout=None):\n self.armed = True\n if wait:\n self.wait_for(lambda : self.armed, timeout=timeout, errmsg=\n 'failed to arm vehicle')\n",
"role": "user"
},
{
"content": "arm",
"role": "assistant"
}
] |
def x(self, wait=True, timeout=None):
self.armed = False
if wait:
self.wait_for(lambda : not self.armed, timeout=timeout, errmsg=
'failed to disarm vehicle')
| disarm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wait=True, timeout=None):\n self.armed = False\n if wait:\n self.wait_for(lambda : not self.armed, timeout=timeout, errmsg=\n 'failed to disarm vehicle')\n",
"role": "user"
},
{
"content": "disarm",
"role": "assistant"
}
] |
def x(self, mode, timeout=None):
if not isinstance(mode, VehicleMode):
mode = VehicleMode(mode)
self.mode = mode
self.wait_for(lambda : self.mode.name == mode.name, timeout=timeout,
errmsg='failed to set flight mode')
| wait_for_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode, timeout=None):\n if not isinstance(mode, VehicleMode):\n mode = VehicleMode(mode)\n self.mode = mode\n self.wait_for(lambda : self.mode.name == mode.name, timeout=timeout,\n errmsg='failed to set flight mode')\n",
"role": "user"
},
{
"content": "wait_for_mode",
"role": "assistant"
}
] |
def x(self, alt, epsilon=0.1, rel=True, timeout=None):
def x():
if rel:
alt = self.location.global_relative_frame.alt
else:
alt = self.location.global_frame.alt
return alt
def x():
cur = get_alt()
delta = abs(alt - cur)
return delta < epsilon or cur > alt > start or cur < alt < start
start = get_alt()
self.wait_for(check_alt, timeout=timeout, errmsg=
'failed to reach specified altitude')
| wait_for_alt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alt, epsilon=0.1, rel=True, timeout=None):\n\n def x():\n if rel:\n alt = self.location.global_relative_frame.alt\n else:\n alt = self.location.global_frame.alt\n return alt\n\n def x():\n cur = get_alt()\n delta = abs(alt - cur)\n return delta < epsilon or cur > alt > start or cur < alt < start\n start = get_alt()\n self.wait_for(check_alt, timeout=timeout, errmsg=\n 'failed to reach specified altitude')\n",
"role": "user"
},
{
"content": "wait_for_alt",
"role": "assistant"
}
] |
def x(self, alt=None):
if alt is not None:
altitude = float(alt)
if math.isnan(altitude) or math.isinf(altitude):
raise ValueError(
'Altitude was NaN or Infinity. Please provide a real number')
self._master.mav.command_long_send(0, 0, mavutil.mavlink.
MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude)
| simple_takeoff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alt=None):\n if alt is not None:\n altitude = float(alt)\n if math.isnan(altitude) or math.isinf(altitude):\n raise ValueError(\n 'Altitude was NaN or Infinity. Please provide a real number')\n self._master.mav.command_long_send(0, 0, mavutil.mavlink.\n MAV_CMD_NAV_TAKEOFF, 0, 0, 0, 0, 0, 0, 0, altitude)\n",
"role": "user"
},
{
"content": "simple_takeoff",
"role": "assistant"
}
] |
def x(self, location, airspeed=None, groundspeed=None):
if isinstance(location, LocationGlobalRelative):
frame = mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT
alt = location.alt
elif isinstance(location, LocationGlobal):
frame = mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT
if not self.home_location:
self.commands.download()
self.commands.wait_ready()
alt = location.alt - self.home_location.alt
else:
raise ValueError(
'Expecting location to be LocationGlobal or LocationGlobalRelative.'
)
self._master.mav.mission_item_send(0, 0, 0, frame, mavutil.mavlink.
MAV_CMD_NAV_WAYPOINT, 2, 0, 0, 0, 0, 0, location.lat, location.lon, alt
)
if airspeed is not None:
self.airspeed = airspeed
if groundspeed is not None:
self.groundspeed = groundspeed
| simple_goto | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location, airspeed=None, groundspeed=None):\n if isinstance(location, LocationGlobalRelative):\n frame = mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT\n alt = location.alt\n elif isinstance(location, LocationGlobal):\n frame = mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT\n if not self.home_location:\n self.commands.download()\n self.commands.wait_ready()\n alt = location.alt - self.home_location.alt\n else:\n raise ValueError(\n 'Expecting location to be LocationGlobal or LocationGlobalRelative.'\n )\n self._master.mav.mission_item_send(0, 0, 0, frame, mavutil.mavlink.\n MAV_CMD_NAV_WAYPOINT, 2, 0, 0, 0, 0, 0, location.lat, location.lon, alt\n )\n if airspeed is not None:\n self.airspeed = airspeed\n if groundspeed is not None:\n self.groundspeed = groundspeed\n",
"role": "user"
},
{
"content": "simple_goto",
"role": "assistant"
}
] |
def x(self, vehicle, name, m):
return self.send_capabilities_request(vehicle, name, m)
| send_capabilties_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vehicle, name, m):\n return self.send_capabilities_request(vehicle, name, m)\n",
"role": "user"
},
{
"content": "send_capabilties_request",
"role": "assistant"
}
] |
def x(self, vehicle, name, m):
capability_msg = vehicle.message_factory.command_long_encode(0, 0,
mavutil.mavlink.MAV_CMD_REQUEST_AUTOPILOT_CAPABILITIES, 0, 1, 0, 0,
0, 0, 0, 0)
vehicle.send_mavlink(capability_msg)
| send_capabilities_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vehicle, name, m):\n capability_msg = vehicle.message_factory.command_long_encode(0, 0,\n mavutil.mavlink.MAV_CMD_REQUEST_AUTOPILOT_CAPABILITIES, 0, 1, 0, 0,\n 0, 0, 0, 0)\n vehicle.send_mavlink(capability_msg)\n",
"role": "user"
},
{
"content": "send_capabilities_request",
"role": "assistant"
}
] |
def x(self, tune):
msg = self.message_factory.play_tune_encode(0, 0, tune)
self.send_mavlink(msg)
| play_tune | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tune):\n msg = self.message_factory.play_tune_encode(0, 0, tune)\n self.send_mavlink(msg)\n",
"role": "user"
},
{
"content": "play_tune",
"role": "assistant"
}
] |
def x(self, *types, **kwargs):
timeout = kwargs.get('timeout', 30)
raise_exception = kwargs.get('raise_exception', True)
if list(types) == [True] or list(types) == []:
types = self._default_ready_attrs
if not all(isinstance(item, basestring) for item in types):
raise ValueError('wait_ready expects one or more string arguments.')
await_attributes = set(types)
start = monotonic.monotonic()
still_waiting_last_message_sent = start
still_waiting_callback = kwargs.get('still_waiting_callback')
still_waiting_message_interval = kwargs.get('still_waiting_interval', 1)
while not await_attributes.issubset(self._ready_attrs):
time.sleep(0.1)
now = monotonic.monotonic()
if now - start > timeout:
if raise_exception:
raise TimeoutError(
'wait_ready experienced a timeout after %s seconds.' %
timeout)
else:
return False
if (still_waiting_callback and now -
still_waiting_last_message_sent > still_waiting_message_interval):
still_waiting_last_message_sent = now
if still_waiting_callback:
still_waiting_callback(await_attributes - self._ready_attrs)
return True
| wait_ready | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *types, **kwargs):\n timeout = kwargs.get('timeout', 30)\n raise_exception = kwargs.get('raise_exception', True)\n if list(types) == [True] or list(types) == []:\n types = self._default_ready_attrs\n if not all(isinstance(item, basestring) for item in types):\n raise ValueError('wait_ready expects one or more string arguments.')\n await_attributes = set(types)\n start = monotonic.monotonic()\n still_waiting_last_message_sent = start\n still_waiting_callback = kwargs.get('still_waiting_callback')\n still_waiting_message_interval = kwargs.get('still_waiting_interval', 1)\n while not await_attributes.issubset(self._ready_attrs):\n time.sleep(0.1)\n now = monotonic.monotonic()\n if now - start > timeout:\n if raise_exception:\n raise TimeoutError(\n 'wait_ready experienced a timeout after %s seconds.' %\n timeout)\n else:\n return False\n if (still_waiting_callback and now -\n still_waiting_last_message_sent > still_waiting_message_interval):\n still_waiting_last_message_sent = now\n if still_waiting_callback:\n still_waiting_callback(await_attributes - self._ready_attrs)\n return True\n",
"role": "user"
},
{
"content": "wait_ready",
"role": "assistant"
}
] |
def x(self):
reboot_msg = self.message_factory.command_long_encode(0, 0, mavutil.
mavlink.MAV_CMD_PREFLIGHT_REBOOT_SHUTDOWN, 0, 1, 0, 0, 0, 0, 0, 0)
self.send_mavlink(reboot_msg)
| reboot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n reboot_msg = self.message_factory.command_long_encode(0, 0, mavutil.\n mavlink.MAV_CMD_PREFLIGHT_REBOOT_SHUTDOWN, 0, 1, 0, 0, 0, 0, 0, 0)\n self.send_mavlink(reboot_msg)\n",
"role": "user"
},
{
"content": "reboot",
"role": "assistant"
}
] |
def x(self):
if self._autopilot_type == mavutil.mavlink.MAV_AUTOPILOT_ARDUPILOTMEGA:
calibration_command = self.message_factory.command_long_encode(self
._handler.target_system, 0, mavutil.mavlink.
MAV_CMD_DO_START_MAG_CAL, 0, 0, 1, 1, 0, 0, 0, 0)
else:
calibration_command = self.message_factory.command_long_encode(self
._handler.target_system, 0, mavutil.mavlink.
MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 1, 0, 0, 0, 0, 0)
self.send_mavlink(calibration_command)
| send_calibrate_magnetometer | [
{
"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._autopilot_type == mavutil.mavlink.MAV_AUTOPILOT_ARDUPILOTMEGA:\n calibration_command = self.message_factory.command_long_encode(self\n ._handler.target_system, 0, mavutil.mavlink.\n MAV_CMD_DO_START_MAG_CAL, 0, 0, 1, 1, 0, 0, 0, 0)\n else:\n calibration_command = self.message_factory.command_long_encode(self\n ._handler.target_system, 0, mavutil.mavlink.\n MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 1, 0, 0, 0, 0, 0)\n self.send_mavlink(calibration_command)\n",
"role": "user"
},
{
"content": "send_calibrate_magnetometer",
"role": "assistant"
}
] |
def x(self, simple=False):
calibration_command = self.message_factory.command_long_encode(self.
_handler.target_system, 0, mavutil.mavlink.
MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 0, 0, 0, 4 if simple else 1, 0, 0)
self.send_mavlink(calibration_command)
| send_calibrate_accelerometer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, simple=False):\n calibration_command = self.message_factory.command_long_encode(self.\n _handler.target_system, 0, mavutil.mavlink.\n MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 0, 0, 0, 4 if simple else 1, 0, 0)\n self.send_mavlink(calibration_command)\n",
"role": "user"
},
{
"content": "send_calibrate_accelerometer",
"role": "assistant"
}
] |
def x(self):
calibration_command = self.message_factory.command_long_encode(self.
_handler.target_system, 0, mavutil.mavlink.
MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 0, 1, 0, 0, 0, 0)
self.send_mavlink(calibration_command)
| send_calibrate_barometer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n calibration_command = self.message_factory.command_long_encode(self.\n _handler.target_system, 0, mavutil.mavlink.\n MAV_CMD_PREFLIGHT_CALIBRATION, 0, 0, 0, 1, 0, 0, 0, 0)\n self.send_mavlink(calibration_command)\n",
"role": "user"
},
{
"content": "send_calibrate_barometer",
"role": "assistant"
}
] |
def x(self, pitch, roll, yaw):
msg = self._vehicle.message_factory.mount_configure_encode(0, 1,
mavutil.mavlink.MAV_MOUNT_MODE_MAVLINK_TARGETING, 1, 1, 1)
self._vehicle.send_mavlink(msg)
msg = self._vehicle.message_factory.mount_control_encode(0, 1, pitch *
100, roll * 100, yaw * 100, 0)
self._vehicle.send_mavlink(msg)
| rotate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pitch, roll, yaw):\n msg = self._vehicle.message_factory.mount_configure_encode(0, 1,\n mavutil.mavlink.MAV_MOUNT_MODE_MAVLINK_TARGETING, 1, 1, 1)\n self._vehicle.send_mavlink(msg)\n msg = self._vehicle.message_factory.mount_control_encode(0, 1, pitch * \n 100, roll * 100, yaw * 100, 0)\n self._vehicle.send_mavlink(msg)\n",
"role": "user"
},
{
"content": "rotate",
"role": "assistant"
}
] |
def x(self, roi):
msg = self._vehicle.message_factory.mount_configure_encode(0, 1,
mavutil.mavlink.MAV_MOUNT_MODE_GPS_POINT, 1, 1, 1)
self._vehicle.send_mavlink(msg)
if isinstance(roi, LocationGlobalRelative):
alt = roi.alt
elif isinstance(roi, LocationGlobal):
if not self.home_location:
self.commands.download()
self.commands.wait_ready()
alt = roi.alt - self.home_location.alt
else:
raise ValueError(
'Expecting location to be LocationGlobal or LocationGlobalRelative.'
)
msg = self._vehicle.message_factory.command_long_encode(0, 1, mavutil.
mavlink.MAV_CMD_DO_SET_ROI, 0, 0, 0, 0, 0, roi.lat, roi.lon, alt)
self._vehicle.send_mavlink(msg)
| target_location | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, roi):\n msg = self._vehicle.message_factory.mount_configure_encode(0, 1,\n mavutil.mavlink.MAV_MOUNT_MODE_GPS_POINT, 1, 1, 1)\n self._vehicle.send_mavlink(msg)\n if isinstance(roi, LocationGlobalRelative):\n alt = roi.alt\n elif isinstance(roi, LocationGlobal):\n if not self.home_location:\n self.commands.download()\n self.commands.wait_ready()\n alt = roi.alt - self.home_location.alt\n else:\n raise ValueError(\n 'Expecting location to be LocationGlobal or LocationGlobalRelative.'\n )\n msg = self._vehicle.message_factory.command_long_encode(0, 1, mavutil.\n mavlink.MAV_CMD_DO_SET_ROI, 0, 0, 0, 0, 0, roi.lat, roi.lon, alt)\n self._vehicle.send_mavlink(msg)\n",
"role": "user"
},
{
"content": "target_location",
"role": "assistant"
}
] |
def x(self):
msg = self._vehicle.message_factory.mount_configure_encode(0, 1,
mavutil.mavlink.MAV_MOUNT_MODE_RC_TARGETING, 1, 1, 1)
self._vehicle.send_mavlink(msg)
| release | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n msg = self._vehicle.message_factory.mount_configure_encode(0, 1,\n mavutil.mavlink.MAV_MOUNT_MODE_RC_TARGETING, 1, 1, 1)\n self._vehicle.send_mavlink(msg)\n",
"role": "user"
},
{
"content": "release",
"role": "assistant"
}
] |
def x(self, attr_name, *args, **kwargs):
attr_name = attr_name.upper()
return super(Parameters, self).add_attribute_listener(attr_name, *args,
**kwargs)
| add_attribute_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, *args, **kwargs):\n attr_name = attr_name.upper()\n return super(Parameters, self).add_attribute_listener(attr_name, *args,\n **kwargs)\n",
"role": "user"
},
{
"content": "add_attribute_listener",
"role": "assistant"
}
] |
def x(self, attr_name, *args, **kwargs):
attr_name = attr_name.upper()
return super(Parameters, self).remove_attribute_listener(attr_name, *
args, **kwargs)
| remove_attribute_listener | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, *args, **kwargs):\n attr_name = attr_name.upper()\n return super(Parameters, self).remove_attribute_listener(attr_name, *\n args, **kwargs)\n",
"role": "user"
},
{
"content": "remove_attribute_listener",
"role": "assistant"
}
] |
def x(self, attr_name, *args, **kwargs):
attr_name = attr_name.upper()
return super(Parameters, self).on_attribute(attr_name, *args, **kwargs)
| on_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attr_name, *args, **kwargs):\n attr_name = attr_name.upper()\n return super(Parameters, self).on_attribute(attr_name, *args, **kwargs)\n",
"role": "user"
},
{
"content": "on_attribute",
"role": "assistant"
}
] |
def x(self):
self.wait_ready()
self._vehicle._ready_attrs.remove('commands')
self._vehicle._wp_loaded = False
self._vehicle._master.waypoint_request_list_send()
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.wait_ready()\n self._vehicle._ready_attrs.remove('commands')\n self._vehicle._wp_loaded = False\n self._vehicle._master.waypoint_request_list_send()\n",
"role": "user"
},
{
"content": "download",
"role": "assistant"
}
] |
def x(self):
self.wait_ready()
home = None
try:
home = self._vehicle._wploader.wp(0)
except:
pass
self._vehicle._wploader.clear()
if home:
self._vehicle._wploader.add(home, comment='Added by DroneKit')
self._vehicle._wpts_dirty = True
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.wait_ready()\n home = None\n try:\n home = self._vehicle._wploader.wp(0)\n except:\n pass\n self._vehicle._wploader.clear()\n if home:\n self._vehicle._wploader.add(home, comment='Added by DroneKit')\n self._vehicle._wpts_dirty = True\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, cmd):
self.wait_ready()
self._vehicle._handler.fix_targets(cmd)
self._vehicle._wploader.add(cmd, comment='Added by DroneKit')
self._vehicle._wpts_dirty = True
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmd):\n self.wait_ready()\n self._vehicle._handler.fix_targets(cmd)\n self._vehicle._wploader.add(cmd, comment='Added by DroneKit')\n self._vehicle._wpts_dirty = True\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, timeout=None):
if self._vehicle._wpts_dirty:
self._vehicle._master.waypoint_clear_all_send()
start_time = time.time()
if self._vehicle._wploader.count() > 0:
self._vehicle._wp_uploaded = [False
] * self._vehicle._wploader.count()
self._vehicle._master.waypoint_count_send(self._vehicle.
_wploader.count())
while False in self._vehicle._wp_uploaded:
if timeout and time.time() - start_time > timeout:
raise TimeoutError
time.sleep(0.1)
self._vehicle._wp_uploaded = None
self._vehicle._wpts_dirty = False
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n if self._vehicle._wpts_dirty:\n self._vehicle._master.waypoint_clear_all_send()\n start_time = time.time()\n if self._vehicle._wploader.count() > 0:\n self._vehicle._wp_uploaded = [False\n ] * self._vehicle._wploader.count()\n self._vehicle._master.waypoint_count_send(self._vehicle.\n _wploader.count())\n while False in self._vehicle._wp_uploaded:\n if timeout and time.time() - start_time > timeout:\n raise TimeoutError\n time.sleep(0.1)\n self._vehicle._wp_uploaded = None\n self._vehicle._wpts_dirty = False\n",
"role": "user"
},
{
"content": "upload",
"role": "assistant"
}
] |
def x(aTargetAltitude):
DEFAULT_TAKEOFF_THRUST = 0.7
SMOOTH_TAKEOFF_THRUST = 0.6
print('Basic pre-arm checks')
while not vehicle.is_armable:
print(' Waiting for vehicle to initialise...')
time.sleep(1)
print('Arming motors')
vehicle.mode = VehicleMode('GUIDED_NOGPS')
vehicle.armed = True
while not vehicle.armed:
print(' Waiting for arming...')
vehicle.armed = True
time.sleep(1)
print('Taking off!')
thrust = DEFAULT_TAKEOFF_THRUST
while True:
current_altitude = vehicle.location.global_relative_frame.alt
print(' Altitude: %f Desired: %f' % (current_altitude,
aTargetAltitude))
if current_altitude >= aTargetAltitude * 0.95:
print('Reached target altitude')
break
elif current_altitude >= aTargetAltitude * 0.6:
thrust = SMOOTH_TAKEOFF_THRUST
set_attitude(thrust=thrust)
time.sleep(0.2)
| arm_and_takeoff_nogps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(aTargetAltitude):\n DEFAULT_TAKEOFF_THRUST = 0.7\n SMOOTH_TAKEOFF_THRUST = 0.6\n print('Basic pre-arm checks')\n while not vehicle.is_armable:\n print(' Waiting for vehicle to initialise...')\n time.sleep(1)\n print('Arming motors')\n vehicle.mode = VehicleMode('GUIDED_NOGPS')\n vehicle.armed = True\n while not vehicle.armed:\n print(' Waiting for arming...')\n vehicle.armed = True\n time.sleep(1)\n print('Taking off!')\n thrust = DEFAULT_TAKEOFF_THRUST\n while True:\n current_altitude = vehicle.location.global_relative_frame.alt\n print(' Altitude: %f Desired: %f' % (current_altitude,\n aTargetAltitude))\n if current_altitude >= aTargetAltitude * 0.95:\n print('Reached target altitude')\n break\n elif current_altitude >= aTargetAltitude * 0.6:\n thrust = SMOOTH_TAKEOFF_THRUST\n set_attitude(thrust=thrust)\n time.sleep(0.2)\n",
"role": "user"
},
{
"content": "arm_and_takeoff_nogps",
"role": "assistant"
}
] |
def x(roll_angle=0.0, pitch_angle=0.0, yaw_angle=None, yaw_rate=0.0,
use_yaw_rate=False, thrust=0.5):
if yaw_angle is None:
yaw_angle = vehicle.attitude.yaw
msg = vehicle.message_factory.set_attitude_target_encode(0, 1, 1, 0 if
use_yaw_rate else 4, to_quaternion(roll_angle, pitch_angle,
yaw_angle), 0, 0, math.radians(yaw_rate), thrust)
vehicle.send_mavlink(msg)
| send_attitude_target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(roll_angle=0.0, pitch_angle=0.0, yaw_angle=None, yaw_rate=0.0,\n use_yaw_rate=False, thrust=0.5):\n if yaw_angle is None:\n yaw_angle = vehicle.attitude.yaw\n msg = vehicle.message_factory.set_attitude_target_encode(0, 1, 1, 0 if\n use_yaw_rate else 4, to_quaternion(roll_angle, pitch_angle,\n yaw_angle), 0, 0, math.radians(yaw_rate), thrust)\n vehicle.send_mavlink(msg)\n",
"role": "user"
},
{
"content": "send_attitude_target",
"role": "assistant"
}
] |
def x(roll_angle=0.0, pitch_angle=0.0, yaw_angle=None, yaw_rate=0.0,
use_yaw_rate=False, thrust=0.5, duration=0):
send_attitude_target(roll_angle, pitch_angle, yaw_angle, yaw_rate,
False, thrust)
start = time.time()
while time.time() - start < duration:
send_attitude_target(roll_angle, pitch_angle, yaw_angle, yaw_rate,
False, thrust)
time.sleep(0.1)
send_attitude_target(0, 0, 0, 0, True, thrust)
| set_attitude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(roll_angle=0.0, pitch_angle=0.0, yaw_angle=None, yaw_rate=0.0,\n use_yaw_rate=False, thrust=0.5, duration=0):\n send_attitude_target(roll_angle, pitch_angle, yaw_angle, yaw_rate, \n False, thrust)\n start = time.time()\n while time.time() - start < duration:\n send_attitude_target(roll_angle, pitch_angle, yaw_angle, yaw_rate, \n False, thrust)\n time.sleep(0.1)\n send_attitude_target(0, 0, 0, 0, True, thrust)\n",
"role": "user"
},
{
"content": "set_attitude",
"role": "assistant"
}
] |
def x(roll=0.0, pitch=0.0, yaw=0.0):
t0 = math.cos(math.radians(yaw * 0.5))
t1 = math.sin(math.radians(yaw * 0.5))
t2 = math.cos(math.radians(roll * 0.5))
t3 = math.sin(math.radians(roll * 0.5))
t4 = math.cos(math.radians(pitch * 0.5))
t5 = math.sin(math.radians(pitch * 0.5))
w = t0 * t2 * t4 + t1 * t3 * t5
x = t0 * t3 * t4 - t1 * t2 * t5
y = t0 * t2 * t5 + t1 * t3 * t4
z = t1 * t2 * t4 - t0 * t3 * t5
return [w, x, y, z]
| to_quaternion | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(roll=0.0, pitch=0.0, yaw=0.0):\n t0 = math.cos(math.radians(yaw * 0.5))\n t1 = math.sin(math.radians(yaw * 0.5))\n t2 = math.cos(math.radians(roll * 0.5))\n t3 = math.sin(math.radians(roll * 0.5))\n t4 = math.cos(math.radians(pitch * 0.5))\n t5 = math.sin(math.radians(pitch * 0.5))\n w = t0 * t2 * t4 + t1 * t3 * t5\n x = t0 * t3 * t4 - t1 * t2 * t5\n y = t0 * t2 * t5 + t1 * t3 * t4\n z = t1 * t2 * t4 - t0 * t3 * t5\n return [w, x, y, z]\n",
"role": "user"
},
{
"content": "to_quaternion",
"role": "assistant"
}
] |
def x(self, sentences):
content_words = self._get_all_content_words_in_doc(sentences)
content_words_count = len(content_words)
content_words_freq = self._compute_word_freq(content_words)
content_word_tf = dict((k, v / content_words_count) for k, v in
content_words_freq.items())
return content_word_tf
| compute_tf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentences):\n content_words = self._get_all_content_words_in_doc(sentences)\n content_words_count = len(content_words)\n content_words_freq = self._compute_word_freq(content_words)\n content_word_tf = dict((k, v / content_words_count) for k, v in\n content_words_freq.items())\n return content_word_tf\n",
"role": "user"
},
{
"content": "compute_tf",
"role": "assistant"
}
] |
def x(evaluated_sentences, reference_sentences, weight=1.0):
p = precision(evaluated_sentences, reference_sentences)
r = recall(evaluated_sentences, reference_sentences)
weight **= 2
denominator = weight * p + r
if denominator == 0.0:
return 0.0
else:
return (weight + 1) * p * r / denominator
| f_score | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(evaluated_sentences, reference_sentences, weight=1.0):\n p = precision(evaluated_sentences, reference_sentences)\n r = recall(evaluated_sentences, reference_sentences)\n weight **= 2\n denominator = weight * p + r\n if denominator == 0.0:\n return 0.0\n else:\n return (weight + 1) * p * r / denominator\n",
"role": "user"
},
{
"content": "f_score",
"role": "assistant"
}
] |
def x(x, y):
table = _lcs(x, y)
n, m = _get_index_of_lcs(x, y)
return table[n, m]
| len_lcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n table = _lcs(x, y)\n n, m = _get_index_of_lcs(x, y)\n return table[n, m]\n",
"role": "user"
},
{
"content": "len_lcs",
"role": "assistant"
}
] |
def x(x, y):
table = _lcs(x, y)
def x(i, j):
if i == 0 or j == 0:
return []
elif x[i - 1] == y[j - 1]:
return _recon(i - 1, j - 1) + [(x[i - 1], i)]
elif table[i - 1, j] > table[i, j - 1]:
return _recon(i - 1, j)
else:
return _recon(i, j - 1)
i, j = _get_index_of_lcs(x, y)
recon_tuple = tuple(map(lambda r: r[0], _recon(i, j)))
return recon_tuple
| recon_lcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n table = _lcs(x, y)\n\n def x(i, j):\n if i == 0 or j == 0:\n return []\n elif x[i - 1] == y[j - 1]:\n return _recon(i - 1, j - 1) + [(x[i - 1], i)]\n elif table[i - 1, j] > table[i, j - 1]:\n return _recon(i - 1, j)\n else:\n return _recon(i, j - 1)\n i, j = _get_index_of_lcs(x, y)\n recon_tuple = tuple(map(lambda r: r[0], _recon(i, j)))\n return recon_tuple\n",
"role": "user"
},
{
"content": "recon_lcs",
"role": "assistant"
}
] |
def x(llcs, m, n):
r_lcs = llcs / m
p_lcs = llcs / n
beta = p_lcs / r_lcs
num = (1 + beta ** 2) * r_lcs * p_lcs
denom = r_lcs + beta ** 2 * p_lcs
return num / denom
| f_lcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(llcs, m, n):\n r_lcs = llcs / m\n p_lcs = llcs / n\n beta = p_lcs / r_lcs\n num = (1 + beta ** 2) * r_lcs * p_lcs\n denom = r_lcs + beta ** 2 * p_lcs\n return num / denom\n",
"role": "user"
},
{
"content": "f_lcs",
"role": "assistant"
}
] |
def x(evaluated_sentences, reference_sentences):
if len(evaluated_sentences) <= 0 or len(reference_sentences) <= 0:
raise ValueError('Collections must contain at least 1 sentence.')
reference_words = _split_into_words(reference_sentences)
evaluated_words = _split_into_words(evaluated_sentences)
m = len(reference_words)
n = len(evaluated_words)
lcs = _len_lcs(evaluated_words, reference_words)
return _f_lcs(lcs, m, n)
| rouge_l_sentence_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(evaluated_sentences, reference_sentences):\n if len(evaluated_sentences) <= 0 or len(reference_sentences) <= 0:\n raise ValueError('Collections must contain at least 1 sentence.')\n reference_words = _split_into_words(reference_sentences)\n evaluated_words = _split_into_words(evaluated_sentences)\n m = len(reference_words)\n n = len(evaluated_words)\n lcs = _len_lcs(evaluated_words, reference_words)\n return _f_lcs(lcs, m, n)\n",
"role": "user"
},
{
"content": "rouge_l_sentence_level",
"role": "assistant"
}
] |
def x(evaluated_sentences, reference_sentence):
if len(evaluated_sentences) <= 0:
raise ValueError('Collections must contain at least 1 sentence.')
lcs_union = set()
reference_words = _split_into_words([reference_sentence])
combined_lcs_length = 0
for eval_s in evaluated_sentences:
evaluated_words = _split_into_words([eval_s])
lcs = set(_recon_lcs(reference_words, evaluated_words))
combined_lcs_length += len(lcs)
lcs_union = lcs_union.union(lcs)
union_lcs_count = len(lcs_union)
union_lcs_value = union_lcs_count / combined_lcs_length
return union_lcs_value
| union_lcs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(evaluated_sentences, reference_sentence):\n if len(evaluated_sentences) <= 0:\n raise ValueError('Collections must contain at least 1 sentence.')\n lcs_union = set()\n reference_words = _split_into_words([reference_sentence])\n combined_lcs_length = 0\n for eval_s in evaluated_sentences:\n evaluated_words = _split_into_words([eval_s])\n lcs = set(_recon_lcs(reference_words, evaluated_words))\n combined_lcs_length += len(lcs)\n lcs_union = lcs_union.union(lcs)\n union_lcs_count = len(lcs_union)\n union_lcs_value = union_lcs_count / combined_lcs_length\n return union_lcs_value\n",
"role": "user"
},
{
"content": "union_lcs",
"role": "assistant"
}
] |
def x(self):
return math.sqrt(sum(t ** 2 for t in self._terms.values()))
| magnitude | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return math.sqrt(sum(t ** 2 for t in self._terms.values()))\n",
"role": "user"
},
{
"content": "magnitude",
"role": "assistant"
}
] |
def x(self, count=0):
terms = sorted(self._terms.items(), key=lambda i: -i[1])
terms = tuple(i[0] for i in terms)
if count == 0:
return terms
elif count > 0:
return terms[:count]
else:
raise ValueError(
'Only non-negative values are allowed for count of terms.')
| most_frequent_terms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, count=0):\n terms = sorted(self._terms.items(), key=lambda i: -i[1])\n terms = tuple(i[0] for i in terms)\n if count == 0:\n return terms\n elif count > 0:\n return terms[:count]\n else:\n raise ValueError(\n 'Only non-negative values are allowed for count of terms.')\n",
"role": "user"
},
{
"content": "most_frequent_terms",
"role": "assistant"
}
] |
def x(self, term, smooth=0.0):
frequency = self.term_frequency(term) / self._max_frequency
return smooth + (1.0 - smooth) * frequency
| normalized_term_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, term, smooth=0.0):\n frequency = self.term_frequency(term) / self._max_frequency\n return smooth + (1.0 - smooth) * frequency\n",
"role": "user"
},
{
"content": "normalized_term_frequency",
"role": "assistant"
}
] |
def x(self, words):
bonus_words_count = 0
stigma_words_count = 0
for word in words:
if word in self._bonus_words:
bonus_words_count += 1
if word in self._stigma_words:
stigma_words_count += 1
return bonus_words_count, stigma_words_count
| count_words | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, words):\n bonus_words_count = 0\n stigma_words_count = 0\n for word in words:\n if word in self._bonus_words:\n bonus_words_count += 1\n if word in self._stigma_words:\n stigma_words_count += 1\n return bonus_words_count, stigma_words_count\n",
"role": "user"
},
{
"content": "count_words",
"role": "assistant"
}
] |
def x(getter):
@wraps(getter)
def x(self):
key = '_cached_property_' + getter.__name__
if not hasattr(self, key):
setattr(self, key, getter(self))
return getattr(self, key)
return property(decorator)
| cached_property | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(getter):\n\n @wraps(getter)\n def x(self):\n key = '_cached_property_' + getter.__name__\n if not hasattr(self, key):\n setattr(self, key, getter(self))\n return getattr(self, key)\n return property(decorator)\n",
"role": "user"
},
{
"content": "cached_property",
"role": "assistant"
}
] |
def x(evaluated_model, reference_model):
if not (isinstance(evaluated_model, TfModel) and isinstance(
reference_model, TfModel)):
raise ValueError(
"Arguments has to be instances of 'sumy.models.TfDocumentModel'")
terms = frozenset(evaluated_model.terms) | frozenset(reference_model.terms)
numerator = 0.0
for term in terms:
numerator += evaluated_model.term_frequency(term
) * reference_model.term_frequency(term)
denominator = evaluated_model.magnitude * reference_model.magnitude
if denominator == 0.0:
raise ValueError("Document model can't be empty. Given %r & %r" % (
evaluated_model, reference_model))
return numerator / denominator
| cosine_similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(evaluated_model, reference_model):\n if not (isinstance(evaluated_model, TfModel) and isinstance(\n reference_model, TfModel)):\n raise ValueError(\n \"Arguments has to be instances of 'sumy.models.TfDocumentModel'\")\n terms = frozenset(evaluated_model.terms) | frozenset(reference_model.terms)\n numerator = 0.0\n for term in terms:\n numerator += evaluated_model.term_frequency(term\n ) * reference_model.term_frequency(term)\n denominator = evaluated_model.magnitude * reference_model.magnitude\n if denominator == 0.0:\n raise ValueError(\"Document model can't be empty. Given %r & %r\" % (\n evaluated_model, reference_model))\n return numerator / denominator\n",
"role": "user"
},
{
"content": "cosine_similarity",
"role": "assistant"
}
] |
def x(evaluated_model, reference_model):
if not (isinstance(evaluated_model, TfModel) and isinstance(
reference_model, TfModel)):
raise ValueError(
"Arguments has to be instances of 'sumy.models.TfDocumentModel'")
terms1 = frozenset(evaluated_model.terms)
terms2 = frozenset(reference_model.terms)
if not terms1 and not terms2:
raise ValueError(
"Documents can't be empty. Please pass the valid documents.")
common_terms_count = len(terms1 & terms2)
return common_terms_count / (len(terms1) + len(terms2) - common_terms_count
)
| unit_overlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(evaluated_model, reference_model):\n if not (isinstance(evaluated_model, TfModel) and isinstance(\n reference_model, TfModel)):\n raise ValueError(\n \"Arguments has to be instances of 'sumy.models.TfDocumentModel'\")\n terms1 = frozenset(evaluated_model.terms)\n terms2 = frozenset(reference_model.terms)\n if not terms1 and not terms2:\n raise ValueError(\n \"Documents can't be empty. Please pass the valid documents.\")\n common_terms_count = len(terms1 & terms2)\n return common_terms_count / (len(terms1) + len(terms2) - common_terms_count\n )\n",
"role": "user"
},
{
"content": "unit_overlap",
"role": "assistant"
}
] |
def x(self, document):
words = map(self.normalize_word, document.words)
unique_words = frozenset(self.stem_word(w) for w in words if w not in
self._stop_words)
return dict((w, i) for i, w in enumerate(unique_words))
| create_dictionary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document):\n words = map(self.normalize_word, document.words)\n unique_words = frozenset(self.stem_word(w) for w in words if w not in\n self._stop_words)\n return dict((w, i) for i, w in enumerate(unique_words))\n",
"role": "user"
},
{
"content": "create_dictionary",
"role": "assistant"
}
] |
def x(self, document, dictionary):
sentences = document.sentences
words_count = len(dictionary)
sentences_count = len(sentences)
if words_count < sentences_count:
message = (
'Number of words (%d) is lower than number of sentences (%d). LSA algorithm may not work properly.'
)
warn(message % (words_count, sentences_count))
matrix = numpy.zeros((words_count, sentences_count))
for col, sentence in enumerate(sentences):
for word in map(self.stem_word, sentence.words):
if word in dictionary:
row = dictionary[word]
matrix[row, col] += 1
return matrix
| create_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document, dictionary):\n sentences = document.sentences\n words_count = len(dictionary)\n sentences_count = len(sentences)\n if words_count < sentences_count:\n message = (\n 'Number of words (%d) is lower than number of sentences (%d). LSA algorithm may not work properly.'\n )\n warn(message % (words_count, sentences_count))\n matrix = numpy.zeros((words_count, sentences_count))\n for col, sentence in enumerate(sentences):\n for word in map(self.stem_word, sentence.words):\n if word in dictionary:\n row = dictionary[word]\n matrix[row, col] += 1\n return matrix\n",
"role": "user"
},
{
"content": "create_matrix",
"role": "assistant"
}
] |
def x(self, matrix, smooth=0.4):
assert 0.0 <= smooth < 1.0
max_word_frequencies = numpy.max(matrix, axis=0)
rows, cols = matrix.shape
for row in range(rows):
for col in range(cols):
max_word_frequency = max_word_frequencies[col]
if max_word_frequency != 0:
frequency = matrix[row, col] / max_word_frequency
matrix[row, col] = smooth + (1.0 - smooth) * frequency
return matrix
| compute_term_frequency | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, matrix, smooth=0.4):\n assert 0.0 <= smooth < 1.0\n max_word_frequencies = numpy.max(matrix, axis=0)\n rows, cols = matrix.shape\n for row in range(rows):\n for col in range(cols):\n max_word_frequency = max_word_frequencies[col]\n if max_word_frequency != 0:\n frequency = matrix[row, col] / max_word_frequency\n matrix[row, col] = smooth + (1.0 - smooth) * frequency\n return matrix\n",
"role": "user"
},
{
"content": "compute_term_frequency",
"role": "assistant"
}
] |
def x(self, document):
sentences_as_words = [self._to_words_set(sent) for sent in document.
sentences]
sentences_count = len(sentences_as_words)
weights = numpy.zeros((sentences_count, sentences_count))
for i, words_i in enumerate(sentences_as_words):
for j, words_j in enumerate(sentences_as_words):
weights[i, j] = self._rate_sentences_edge(words_i, words_j)
weights /= weights.sum(axis=1)[:, numpy.newaxis]
return numpy.full((sentences_count, sentences_count), (1.0 - self.
damping) / sentences_count) + self.damping * weights
| create_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, document):\n sentences_as_words = [self._to_words_set(sent) for sent in document.\n sentences]\n sentences_count = len(sentences_as_words)\n weights = numpy.zeros((sentences_count, sentences_count))\n for i, words_i in enumerate(sentences_as_words):\n for j, words_j in enumerate(sentences_as_words):\n weights[i, j] = self._rate_sentences_edge(words_i, words_j)\n weights /= weights.sum(axis=1)[:, numpy.newaxis]\n return numpy.full((sentences_count, sentences_count), (1.0 - self.\n damping) / sentences_count) + self.damping * weights\n",
"role": "user"
},
{
"content": "create_matrix",
"role": "assistant"
}
] |
def x(self, sentences):
content_words = self._get_all_content_words_in_doc(sentences)
content_words_count = len(content_words)
content_words_freq = self._compute_word_freq(content_words)
content_word_tf = dict((w, f / content_words_count) for w, f in
content_words_freq.items())
return content_word_tf
| compute_tf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentences):\n content_words = self._get_all_content_words_in_doc(sentences)\n content_words_count = len(content_words)\n content_words_freq = self._compute_word_freq(content_words)\n content_word_tf = dict((w, f / content_words_count) for w, f in\n content_words_freq.items())\n return content_word_tf\n",
"role": "user"
},
{
"content": "compute_tf",
"role": "assistant"
}
] |
def x(self, summary_freq, doc_freq):
sum_val = 0
for w in summary_freq:
frequency = doc_freq.get(w)
if frequency:
sum_val += frequency * math.log(frequency / summary_freq[w])
return sum_val
| kl_divergence | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, summary_freq, doc_freq):\n sum_val = 0\n for w in summary_freq:\n frequency = doc_freq.get(w)\n if frequency:\n sum_val += frequency * math.log(frequency / summary_freq[w])\n return sum_val\n",
"role": "user"
},
{
"content": "kl_divergence",
"role": "assistant"
}
] |
def x(self, collection):
index = len(collection) - 1
while index >= 0 and collection[index] == 0:
index -= 1
return collection[:index + 1]
| remove_trailing_zeros | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, collection):\n index = len(collection) - 1\n while index >= 0 and collection[index] == 0:\n index -= 1\n return collection[:index + 1]\n",
"role": "user"
},
{
"content": "remove_trailing_zeros",
"role": "assistant"
}
] |
def x(self, sentences, threshold, tf_metrics, idf_metrics):
sentences_count = len(sentences)
matrix = numpy.zeros((sentences_count, sentences_count))
degrees = numpy.zeros((sentences_count,))
for row, (sentence1, tf1) in enumerate(zip(sentences, tf_metrics)):
for col, (sentence2, tf2) in enumerate(zip(sentences, tf_metrics)):
matrix[row, col] = self.cosine_similarity(sentence1, sentence2,
tf1, tf2, idf_metrics)
if matrix[row, col] > threshold:
matrix[row, col] = 1.0
degrees[row] += 1
else:
matrix[row, col] = 0
for row in range(sentences_count):
for col in range(sentences_count):
if degrees[row] == 0:
degrees[row] = 1
matrix[row][col] = matrix[row][col] / degrees[row]
return matrix
| create_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sentences, threshold, tf_metrics, idf_metrics):\n sentences_count = len(sentences)\n matrix = numpy.zeros((sentences_count, sentences_count))\n degrees = numpy.zeros((sentences_count,))\n for row, (sentence1, tf1) in enumerate(zip(sentences, tf_metrics)):\n for col, (sentence2, tf2) in enumerate(zip(sentences, tf_metrics)):\n matrix[row, col] = self.cosine_similarity(sentence1, sentence2,\n tf1, tf2, idf_metrics)\n if matrix[row, col] > threshold:\n matrix[row, col] = 1.0\n degrees[row] += 1\n else:\n matrix[row, col] = 0\n for row in range(sentences_count):\n for col in range(sentences_count):\n if degrees[row] == 0:\n degrees[row] = 1\n matrix[row][col] = matrix[row][col] / degrees[row]\n return matrix\n",
"role": "user"
},
{
"content": "create_matrix",
"role": "assistant"
}
] |
def x(sentence1, sentence2, tf1, tf2, idf_metrics):
unique_words1 = frozenset(sentence1)
unique_words2 = frozenset(sentence2)
common_words = unique_words1 & unique_words2
numerator = 0.0
for term in common_words:
numerator += tf1[term] * tf2[term] * idf_metrics[term] ** 2
denominator1 = sum((tf1[t] * idf_metrics[t]) ** 2 for t in unique_words1)
denominator2 = sum((tf2[t] * idf_metrics[t]) ** 2 for t in unique_words2)
if denominator1 > 0 and denominator2 > 0:
return numerator / (math.sqrt(denominator1) * math.sqrt(denominator2))
else:
return 0.0
| cosine_similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sentence1, sentence2, tf1, tf2, idf_metrics):\n unique_words1 = frozenset(sentence1)\n unique_words2 = frozenset(sentence2)\n common_words = unique_words1 & unique_words2\n numerator = 0.0\n for term in common_words:\n numerator += tf1[term] * tf2[term] * idf_metrics[term] ** 2\n denominator1 = sum((tf1[t] * idf_metrics[t]) ** 2 for t in unique_words1)\n denominator2 = sum((tf2[t] * idf_metrics[t]) ** 2 for t in unique_words2)\n if denominator1 > 0 and denominator2 > 0:\n return numerator / (math.sqrt(denominator1) * math.sqrt(denominator2))\n else:\n return 0.0\n",
"role": "user"
},
{
"content": "cosine_similarity",
"role": "assistant"
}
] |
def x(cls):
if PY3:
cls.__str__ = cls.__unicode__
cls.__bytes__ = lambda self: self.__str__().encode('utf-8')
else:
cls.__str__ = lambda self: self.__unicode__().encode('utf-8')
return cls
| unicode_compatible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if PY3:\n cls.__str__ = cls.__unicode__\n cls.__bytes__ = lambda self: self.__str__().encode('utf-8')\n else:\n cls.__str__ = lambda self: self.__unicode__().encode('utf-8')\n return cls\n",
"role": "user"
},
{
"content": "unicode_compatible",
"role": "assistant"
}
] |
def x(weld_type, dim):
for i in xrange(dim):
weld_type = WeldVec(weld_type)
return weld_type
| to_weld_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(weld_type, dim):\n for i in xrange(dim):\n weld_type = WeldVec(weld_type)\n return weld_type\n",
"role": "user"
},
{
"content": "to_weld_type",
"role": "assistant"
}
] |
def x(self, verbose=True, decode=True, passes=None, num_threads=1,
apply_experimental_transforms=False):
if isinstance(self.expr, WeldObject):
return self.expr.evaluate(to_weld_type(self.weld_type, self.dim),
verbose, decode, passes=passes, num_threads=num_threads,
apply_experimental_transforms=apply_experimental_transforms)
return self.expr
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=True, decode=True, passes=None, num_threads=1,\n apply_experimental_transforms=False):\n if isinstance(self.expr, WeldObject):\n return self.expr.evaluate(to_weld_type(self.weld_type, self.dim),\n verbose, decode, passes=passes, num_threads=num_threads,\n apply_experimental_transforms=apply_experimental_transforms)\n return self.expr\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, arr):
self.weldobj = WeldObject(NumpyArrayEncoder(), NumpyArrayDecoder())
if isinstance(arr, weldarray):
self.weldobj.update(arr.weldobj)
self.weldobj.weld_code = arr.weldobj.weld_code
self.name = arr.name
else:
self.name = self.weldobj.weld_code = self.weldobj.update(arr,
SUPPORTED_DTYPES[str(arr.dtype)])
| gen_weldobj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arr):\n self.weldobj = WeldObject(NumpyArrayEncoder(), NumpyArrayDecoder())\n if isinstance(arr, weldarray):\n self.weldobj.update(arr.weldobj)\n self.weldobj.weld_code = arr.weldobj.weld_code\n self.name = arr.name\n else:\n self.name = self.weldobj.weld_code = self.weldobj.update(arr,\n SUPPORTED_DTYPES[str(arr.dtype)])\n",
"role": "user"
},
{
"content": "gen_weldobj",
"role": "assistant"
}
] |
def x(self, input_args, outputs):
if len(input_args) > 2:
return False
arrays = []
scalars = []
for i in input_args:
if isinstance(i, np.ndarray):
if not str(i.dtype) in SUPPORTED_DTYPES:
return False
if len(i) == 0:
return False
arrays.append(i)
elif isinstance(i, list):
return False
else:
scalars.append(i)
if len(arrays) == 2 and arrays[0].dtype != arrays[1].dtype:
return False
elif len(arrays) == 1 and len(scalars) == 1:
if isinstance(scalars[0], bool):
return False
elif isinstance(scalars[0], float):
pass
elif isinstance(scalars[0], int):
pass
elif not str(scalars[0].dtype) in SUPPORTED_DTYPES:
return False
else:
weld_type = SUPPORTED_DTYPES[str(scalars[0].dtype)]
if weld_type != arrays[0]._weld_type:
return False
if outputs:
if not (len(outputs) == 1 and isinstance(outputs[0], weldarray)):
return False
return True
| process_ufunc_inputs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, input_args, outputs):\n if len(input_args) > 2:\n return False\n arrays = []\n scalars = []\n for i in input_args:\n if isinstance(i, np.ndarray):\n if not str(i.dtype) in SUPPORTED_DTYPES:\n return False\n if len(i) == 0:\n return False\n arrays.append(i)\n elif isinstance(i, list):\n return False\n else:\n scalars.append(i)\n if len(arrays) == 2 and arrays[0].dtype != arrays[1].dtype:\n return False\n elif len(arrays) == 1 and len(scalars) == 1:\n if isinstance(scalars[0], bool):\n return False\n elif isinstance(scalars[0], float):\n pass\n elif isinstance(scalars[0], int):\n pass\n elif not str(scalars[0].dtype) in SUPPORTED_DTYPES:\n return False\n else:\n weld_type = SUPPORTED_DTYPES[str(scalars[0].dtype)]\n if weld_type != arrays[0]._weld_type:\n return False\n if outputs:\n if not (len(outputs) == 1 and isinstance(outputs[0], weldarray)):\n return False\n return True\n",
"role": "user"
},
{
"content": "process_ufunc_inputs",
"role": "assistant"
}
] |
def x(self, ufunc, method, input_args, outputs, kwargs):
for i, arg_ in enumerate(input_args):
if isinstance(arg_, weldarray):
input_args[i] = arg_._eval()
if outputs:
out_args = []
for j, output in enumerate(outputs):
if isinstance(output, weldarray):
out_args.append(output.view(np.ndarray))
else:
out_args.append(output)
kwargs['out'] = tuple(out_args)
else:
outputs = (None,) * ufunc.nout
result = super(weldarray, self).__array_ufunc__(ufunc, method, *
input_args, **kwargs)
if str(result.dtype) in SUPPORTED_DTYPES and isinstance(result, np.ndarray
):
return weldarray(result, verbose=self._verbose)
else:
return result
| handle_numpy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ufunc, method, input_args, outputs, kwargs):\n for i, arg_ in enumerate(input_args):\n if isinstance(arg_, weldarray):\n input_args[i] = arg_._eval()\n if outputs:\n out_args = []\n for j, output in enumerate(outputs):\n if isinstance(output, weldarray):\n out_args.append(output.view(np.ndarray))\n else:\n out_args.append(output)\n kwargs['out'] = tuple(out_args)\n else:\n outputs = (None,) * ufunc.nout\n result = super(weldarray, self).__array_ufunc__(ufunc, method, *\n input_args, **kwargs)\n if str(result.dtype) in SUPPORTED_DTYPES and isinstance(result, np.ndarray\n ):\n return weldarray(result, verbose=self._verbose)\n else:\n return result\n",
"role": "user"
},
{
"content": "handle_numpy",
"role": "assistant"
}
] |
def x(self, ufunc, input_args, outputs):
if outputs:
output = outputs[0]
else:
output = None
if ufunc.__name__ in UNARY_OPS:
assert len(input_args) == 1
return self._unary_op(UNARY_OPS[ufunc.__name__], result=output)
if ufunc.__name__ in BINARY_OPS:
if isinstance(input_args[0], weldarray):
assert input_args[0].name == self.name
other_arg = input_args[1]
else:
other_arg = input_args[0]
assert input_args[1].name == self.name
return self._binary_op(other_arg, BINARY_OPS[ufunc.__name__],
result=output)
| handle_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ufunc, input_args, outputs):\n if outputs:\n output = outputs[0]\n else:\n output = None\n if ufunc.__name__ in UNARY_OPS:\n assert len(input_args) == 1\n return self._unary_op(UNARY_OPS[ufunc.__name__], result=output)\n if ufunc.__name__ in BINARY_OPS:\n if isinstance(input_args[0], weldarray):\n assert input_args[0].name == self.name\n other_arg = input_args[1]\n else:\n other_arg = input_args[0]\n assert input_args[1].name == self.name\n return self._binary_op(other_arg, BINARY_OPS[ufunc.__name__],\n result=output)\n",
"role": "user"
},
{
"content": "handle_call",
"role": "assistant"
}
] |
def x(self, ufunc, input_args, outputs):
assert len(input_args) == 1
if outputs:
output = outputs[0]
else:
output = None
if ufunc.__name__ in BINARY_OPS:
return self._reduce_op(BINARY_OPS[ufunc.__name__], result=output)
| handle_reduce | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ufunc, input_args, outputs):\n assert len(input_args) == 1\n if outputs:\n output = outputs[0]\n else:\n output = None\n if ufunc.__name__ in BINARY_OPS:\n return self._reduce_op(BINARY_OPS[ufunc.__name__], result=output)\n",
"role": "user"
},
{
"content": "handle_reduce",
"role": "assistant"
}
] |
def x(self, op, result=None):
template = 'result(for({arr},merger[{type}, {op}], |b, i, e| merge(b, e)))'
self.weldobj.weld_code = template.format(arr=self.weldobj.weld_code,
type=self._weld_type.__str__(), op=op)
return self._eval(restype=self._weld_type)
| reduce_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, op, result=None):\n template = 'result(for({arr},merger[{type}, {op}], |b, i, e| merge(b, e)))'\n self.weldobj.weld_code = template.format(arr=self.weldobj.weld_code,\n type=self._weld_type.__str__(), op=op)\n return self._eval(restype=self._weld_type)\n",
"role": "user"
},
{
"content": "reduce_op",
"role": "assistant"
}
] |
def x(self):
if self._weldarray_view:
idx = self._weldarray_view.idx
result = weldarray(self._weldarray_view.parent._eval()[idx],
verbose=self._verbose)
else:
result = weldarray(self, verbose=self._verbose)
return result
| get_result | [
{
"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._weldarray_view:\n idx = self._weldarray_view.idx\n result = weldarray(self._weldarray_view.parent._eval()[idx],\n verbose=self._verbose)\n else:\n result = weldarray(self, verbose=self._verbose)\n return result\n",
"role": "user"
},
{
"content": "get_result",
"role": "assistant"
}
] |
def x(self, unop, result=None):
def x(res, unop):
template = 'map({arr}, |z : {type}| {unop}(z))'
code = template.format(arr=res.weldobj.weld_code, type=res.
_weld_type.__str__(), unop=unop)
res.weldobj.weld_code = code
if result is None:
result = self._get_result()
elif result._weldarray_view:
v = result._weldarray_view
update_str = '{unop}(e)'.format(unop=unop)
v.base_array._update_range(v.start, v.end, update_str)
return result
_update_array_unary_op(result, unop)
return result
| unary_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, unop, result=None):\n\n def x(res, unop):\n template = 'map({arr}, |z : {type}| {unop}(z))'\n code = template.format(arr=res.weldobj.weld_code, type=res.\n _weld_type.__str__(), unop=unop)\n res.weldobj.weld_code = code\n if result is None:\n result = self._get_result()\n elif result._weldarray_view:\n v = result._weldarray_view\n update_str = '{unop}(e)'.format(unop=unop)\n v.base_array._update_range(v.start, v.end, update_str)\n return result\n _update_array_unary_op(result, unop)\n return result\n",
"role": "user"
},
{
"content": "unary_op",
"role": "assistant"
}
] |
def x(self, other, binop, result):
template = 'map({arr}, |z: {type}| z {binop} {other}{suffix})'
weld_type = result._weld_type.__str__()
result.weldobj.weld_code = template.format(arr=result.weldobj.weld_code,
type=weld_type, binop=binop, other=str(other), suffix=
DTYPE_SUFFIXES[weld_type])
return result
| scalar_binary_op | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, binop, result):\n template = 'map({arr}, |z: {type}| z {binop} {other}{suffix})'\n weld_type = result._weld_type.__str__()\n result.weldobj.weld_code = template.format(arr=result.weldobj.weld_code,\n type=weld_type, binop=binop, other=str(other), suffix=\n DTYPE_SUFFIXES[weld_type])\n return result\n",
"role": "user"
},
{
"content": "scalar_binary_op",
"role": "assistant"
}
] |
def x(self, result, other, binop):
update_str_template = '{e2}{binop}e'
v = result._weldarray_view
if isinstance(other, weldarray):
lookup_ind = 'i-{st}'.format(st=v.start)
v.base_array.weldobj.update(other.weldobj)
e2 = 'lookup({arr2},{i}L)'.format(arr2=other.weldobj.weld_code, i=
lookup_ind)
else:
e2 = str(other) + DTYPE_SUFFIXES[result._weld_type.__str__()]
update_str = update_str_template.format(e2=e2, binop=binop)
v.base_array._update_range(v.start, v.end, update_str)
| update_views_binary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, other, binop):\n update_str_template = '{e2}{binop}e'\n v = result._weldarray_view\n if isinstance(other, weldarray):\n lookup_ind = 'i-{st}'.format(st=v.start)\n v.base_array.weldobj.update(other.weldobj)\n e2 = 'lookup({arr2},{i}L)'.format(arr2=other.weldobj.weld_code, i=\n lookup_ind)\n else:\n e2 = str(other) + DTYPE_SUFFIXES[result._weld_type.__str__()]\n update_str = update_str_template.format(e2=e2, binop=binop)\n v.base_array._update_range(v.start, v.end, update_str)\n",
"role": "user"
},
{
"content": "update_views_binary",
"role": "assistant"
}
] |
def x(self):
column_names = set()
for column in self.df:
column_names.add(column)
for column in self.unmaterialized_cols:
column_names.add(column)
return list(column_names)
| get_column_names | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n column_names = set()\n for column in self.df:\n column_names.add(column)\n for column in self.unmaterialized_cols:\n column_names.add(column)\n return list(column_names)\n",
"role": "user"
},
{
"content": "get_column_names",
"role": "assistant"
}
] |
def x(self, predicates):
tys = []
for col_name, raw_column in self.raw_columns.items():
dtype = str(raw_column.dtype)
if dtype == 'object' or dtype == '|S64':
weld_type = WeldVec(WeldChar())
else:
weld_type = grizzly_impl.numpy_to_weld_type_mapping[dtype]
tys.append(weld_type)
if len(tys) == 1:
weld_type = tys[0]
else:
weld_type = WeldStruct(tys)
if isinstance(predicates, SeriesWeld):
predicates = predicates.expr
return DataFrameWeldExpr(grizzly_impl.filter(grizzly_impl.zip_columns(
self.raw_columns.values()), predicates), self.raw_columns.keys(),
weld_type)
| filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, predicates):\n tys = []\n for col_name, raw_column in self.raw_columns.items():\n dtype = str(raw_column.dtype)\n if dtype == 'object' or dtype == '|S64':\n weld_type = WeldVec(WeldChar())\n else:\n weld_type = grizzly_impl.numpy_to_weld_type_mapping[dtype]\n tys.append(weld_type)\n if len(tys) == 1:\n weld_type = tys[0]\n else:\n weld_type = WeldStruct(tys)\n if isinstance(predicates, SeriesWeld):\n predicates = predicates.expr\n return DataFrameWeldExpr(grizzly_impl.filter(grizzly_impl.zip_columns(\n self.raw_columns.values()), predicates), self.raw_columns.keys(),\n weld_type)\n",
"role": "user"
},
{
"content": "filter",
"role": "assistant"
}
] |
def x(self, verbose=True, passes=None):
if self.is_pivot:
index, pivot, columns = LazyOpResult(self.expr, self.weld_type, 0
).evaluate(verbose=verbose, passes=passes)
df_dict = {}
for i, column_name in enumerate(columns):
df_dict[column_name] = pivot[i]
return DataFrameWeld(pd.DataFrame(df_dict, index=index))
else:
df = pd.DataFrame(columns=[])
weldvec_type_list = []
for type in self.column_types:
weldvec_type_list.append(WeldVec(type))
columns = LazyOpResult(grizzly_impl.unzip_columns(self.expr, self.
column_types), WeldStruct(weldvec_type_list), 0).evaluate(verbose
=verbose, passes=passes)
for i, column_name in enumerate(self.column_names):
df[column_name] = columns[i]
return DataFrameWeld(df)
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verbose=True, passes=None):\n if self.is_pivot:\n index, pivot, columns = LazyOpResult(self.expr, self.weld_type, 0\n ).evaluate(verbose=verbose, passes=passes)\n df_dict = {}\n for i, column_name in enumerate(columns):\n df_dict[column_name] = pivot[i]\n return DataFrameWeld(pd.DataFrame(df_dict, index=index))\n else:\n df = pd.DataFrame(columns=[])\n weldvec_type_list = []\n for type in self.column_types:\n weldvec_type_list.append(WeldVec(type))\n columns = LazyOpResult(grizzly_impl.unzip_columns(self.expr, self.\n column_types), WeldStruct(weldvec_type_list), 0).evaluate(verbose\n =verbose, passes=passes)\n for i, column_name in enumerate(self.column_names):\n df[column_name] = columns[i]\n return DataFrameWeld(df)\n",
"role": "user"
},
{
"content": "evaluate",
"role": "assistant"
}
] |
def x(self, ascending=False):
if self.index_type is not None:
index_expr = grizzly_impl.get_field(self.expr, 0)
column_expr = grizzly_impl.get_field(self.expr, 1)
zip_expr = grizzly_impl.zip_columns([index_expr, column_expr])
result_expr = grizzly_impl.sort(zip_expr, 1, self.weld_type, ascending)
unzip_expr = grizzly_impl.unzip_columns(result_expr, [self.
index_type, self.weld_type])
return SeriesWeld(unzip_expr, self.weld_type, self.df, self.
column_name, self.index_type, self.index_name)
else:
result_expr = grizzly_impl.sort(self.expr)
| sort_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ascending=False):\n if self.index_type is not None:\n index_expr = grizzly_impl.get_field(self.expr, 0)\n column_expr = grizzly_impl.get_field(self.expr, 1)\n zip_expr = grizzly_impl.zip_columns([index_expr, column_expr])\n result_expr = grizzly_impl.sort(zip_expr, 1, self.weld_type, ascending)\n unzip_expr = grizzly_impl.unzip_columns(result_expr, [self.\n index_type, self.weld_type])\n return SeriesWeld(unzip_expr, self.weld_type, self.df, self.\n column_name, self.index_type, self.index_name)\n else:\n result_expr = grizzly_impl.sort(self.expr)\n",
"role": "user"
},
{
"content": "sort_values",
"role": "assistant"
}
] |
def x(self):
return SeriesWeld(grizzly_impl.unique(self.expr, self.weld_type), self.
weld_type, self.df, self.column_name)
| unique | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return SeriesWeld(grizzly_impl.unique(self.expr, self.weld_type), self.\n weld_type, self.df, self.column_name)\n",
"role": "user"
},
{
"content": "unique",
"role": "assistant"
}
] |
def x(self):
vectype = self.weld_type
if isinstance(vectype, WeldVec):
elem_type = vectype.elemType
if isinstance(elem_type, WeldChar):
return SeriesWeld(grizzly_impl.to_lower(self.expr, elem_type),
self.weld_type, self.df, self.column_name)
raise Exception('Cannot call to_lower on non string type')
| lower | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n vectype = self.weld_type\n if isinstance(vectype, WeldVec):\n elem_type = vectype.elemType\n if isinstance(elem_type, WeldChar):\n return SeriesWeld(grizzly_impl.to_lower(self.expr, elem_type),\n self.weld_type, self.df, self.column_name)\n raise Exception('Cannot call to_lower on non string type')\n",
"role": "user"
},
{
"content": "lower",
"role": "assistant"
}
] |
def x(self, string):
vectype = self.weld_type
if isinstance(vectype, WeldVec):
elem_type = vectype.elemType
if isinstance(elem_type, WeldChar):
return SeriesWeld(grizzly_impl.contains(self.expr, elem_type,
string), WeldBit(), self.df, self.column_name)
raise Exception('Cannot call to_lower on non string type')
| contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n vectype = self.weld_type\n if isinstance(vectype, WeldVec):\n elem_type = vectype.elemType\n if isinstance(elem_type, WeldChar):\n return SeriesWeld(grizzly_impl.contains(self.expr, elem_type,\n string), WeldBit(), self.df, self.column_name)\n raise Exception('Cannot call to_lower on non string type')\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.