source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, maptype=None, colour='b', mod3='r', showOuts=True, **kwargs): if maptype is None: maptype = self.defaultMap radec = self.currentRaDec for ch in radec[:, 2][::4]: idx = np.where(radec[:, 2].astype(np.int) == ch)[0] idx = np.append(idx, idx[0]) c = colour if ch in self.brokenChannels: c = mod3 maptype.plot(radec[idx, 3], radec[idx, 4], '-', color=c, **kwargs) if showOuts: maptype.plot(radec[idx[0], 3], radec[idx[0], 4], 'o', color=c)
plotPointing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, maptype=None, colour='b', mod3='r', showOuts=True, **kwargs):\n if maptype is None:\n maptype = self.defaultMap\n radec = self.currentRaDec\n for ch in radec[:, 2][::4]:\n idx = np.where(radec[:, 2].astype(np.int) == ch)[0]\n idx = np.append(idx, idx[0])\n c = colour\n if ch in self.brokenChannels:\n c = mod3\n maptype.plot(radec[idx, 3], radec[idx, 4], '-', color=c, **kwargs)\n if showOuts:\n maptype.plot(radec[idx[0], 3], radec[idx[0], 4], 'o', color=c)\n", "role": "user" }, { "content": "plotPointing", "role": "assistant" } ]
def x(self, maptype=None, colour='#AAAAAA', **kwargs): if maptype is None: maptype = self.defaultMap xarr = [] yarr = [] radec = self.currentRaDec for ch in [20, 4, 11, 28, 32, 71, 68, 84, 75, 60, 56, 15]: idx = np.where(radec[:, 2].astype(np.int) == ch)[0] idx = idx[0] x, y = maptype.skyToPix(radec[idx][3], radec[idx][4]) xarr.append(x) yarr.append(y) verts = np.empty((len(xarr), 2)) verts[:, 0] = xarr verts[:, 1] = yarr ec = kwargs.pop('ec', 'none') ec = kwargs.pop('edgecolor', ec) p = matplotlib.patches.Polygon(verts, fill=True, ec=ec, fc=colour, **kwargs ) mp.gca().add_patch(p)
plotOutline
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, maptype=None, colour='#AAAAAA', **kwargs):\n if maptype is None:\n maptype = self.defaultMap\n xarr = []\n yarr = []\n radec = self.currentRaDec\n for ch in [20, 4, 11, 28, 32, 71, 68, 84, 75, 60, 56, 15]:\n idx = np.where(radec[:, 2].astype(np.int) == ch)[0]\n idx = idx[0]\n x, y = maptype.skyToPix(radec[idx][3], radec[idx][4])\n xarr.append(x)\n yarr.append(y)\n verts = np.empty((len(xarr), 2))\n verts[:, 0] = xarr\n verts[:, 1] = yarr\n ec = kwargs.pop('ec', 'none')\n ec = kwargs.pop('edgecolor', ec)\n p = matplotlib.patches.Polygon(verts, fill=True, ec=ec, fc=colour, **kwargs\n )\n mp.gca().add_patch(p)\n", "role": "user" }, { "content": "plotOutline", "role": "assistant" } ]
def x(self, maptype=None): if maptype is None: maptype = self.defaultMap yAngle_deg = getSpacecraftRollAngleFromFovAngle(self.roll0_deg) yAngle_deg -= 90 a, d = gcircle.sphericalAngDestination(self.ra0_deg, self.dec0_deg, - yAngle_deg, 12.0) x0, y0 = maptype.skyToPix(self.ra0_deg, self.dec0_deg) x1, y1 = maptype.skyToPix(a, d) mp.plot([x0, x1], [y0, y1], 'k-')
plotSpacecraftYAxis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, maptype=None):\n if maptype is None:\n maptype = self.defaultMap\n yAngle_deg = getSpacecraftRollAngleFromFovAngle(self.roll0_deg)\n yAngle_deg -= 90\n a, d = gcircle.sphericalAngDestination(self.ra0_deg, self.dec0_deg, -\n yAngle_deg, 12.0)\n x0, y0 = maptype.skyToPix(self.ra0_deg, self.dec0_deg)\n x1, y1 = maptype.skyToPix(a, d)\n mp.plot([x0, x1], [y0, y1], 'k-')\n", "role": "user" }, { "content": "plotSpacecraftYAxis", "role": "assistant" } ]
def x(self, maptype=None, modout=False): if maptype is None: maptype = self.defaultMap polyList = self.getAllChannelsAsPolygons(maptype) for p in polyList: p.identifyModule(modout=modout)
plotChIds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, maptype=None, modout=False):\n if maptype is None:\n maptype = self.defaultMap\n polyList = self.getAllChannelsAsPolygons(maptype)\n for p in polyList:\n p.identifyModule(modout=modout)\n", "role": "user" }, { "content": "plotChIds", "role": "assistant" } ]
def x(self, xp, yp): point = np.array([xp, yp]).transpose() polygon = self.polygon numVert, numDim = polygon.shape polyVec = np.roll(polygon, -1, 0) - polygon pointVec = point - polygon crossProduct = np.cross(polyVec, pointVec) if np.all(crossProduct < 0) or np.all(crossProduct > 0): return True return False
isPointInside
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xp, yp):\n point = np.array([xp, yp]).transpose()\n polygon = self.polygon\n numVert, numDim = polygon.shape\n polyVec = np.roll(polygon, -1, 0) - polygon\n pointVec = point - polygon\n crossProduct = np.cross(polyVec, pointVec)\n if np.all(crossProduct < 0) or np.all(crossProduct > 0):\n return True\n return False\n", "role": "user" }, { "content": "isPointInside", "role": "assistant" } ]
def x(self, **kwargs): ax = mp.gca() shape = matplotlib.patches.Polygon(self.polygon, **kwargs) ax.add_artist(shape)
draw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n ax = mp.gca()\n shape = matplotlib.patches.Polygon(self.polygon, **kwargs)\n ax.add_artist(shape)\n", "role": "user" }, { "content": "draw", "role": "assistant" } ]
def x(self, modout=False): x, y = np.mean(self.polygon, 0) if modout: modout = modOutFromChannel(self.channel) mp.text(x, y, '%i-%i' % (modout[0], modout[1]), fontsize=8, ha= 'center', clip_on=True) else: mp.text(x, y, '%i' % self.channel, fontsize=8, ha='center', clip_on =True)
identifyModule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, modout=False):\n x, y = np.mean(self.polygon, 0)\n if modout:\n modout = modOutFromChannel(self.channel)\n mp.text(x, y, '%i-%i' % (modout[0], modout[1]), fontsize=8, ha=\n 'center', clip_on=True)\n else:\n mp.text(x, y, '%i' % self.channel, fontsize=8, ha='center', clip_on\n =True)\n", "role": "user" }, { "content": "identifyModule", "role": "assistant" } ]
def x(self, response, header=None): response = response.decode(self.encoding) if header: header = ''.join((self.resp_prefix, header, self.resp_header_sep)) if not response.startswith(header): raise IEC60488.ParsingError('Response header mismatch') response = response[len(header):] return response.split(self.resp_data_sep)
parse_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response, header=None):\n response = response.decode(self.encoding)\n if header:\n header = ''.join((self.resp_prefix, header, self.resp_header_sep))\n if not response.startswith(header):\n raise IEC60488.ParsingError('Response header mismatch')\n response = response[len(header):]\n return response.split(self.resp_data_sep)\n", "role": "user" }, { "content": "parse_response", "role": "assistant" } ]
def x(self, transport): logger.debug('IEC60488 trigger') with transport: try: transport.trigger() except AttributeError: trigger_msg = self.create_message('*TRG') transport.write(trigger_msg)
trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transport):\n logger.debug('IEC60488 trigger')\n with transport:\n try:\n transport.trigger()\n except AttributeError:\n trigger_msg = self.create_message('*TRG')\n transport.write(trigger_msg)\n", "role": "user" }, { "content": "trigger", "role": "assistant" } ]
def x(self, transport): logger.debug('IEC60488 clear') with transport: try: transport.clear() except AttributeError: clear_msg = self.create_message('*CLS') transport.write(clear_msg)
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transport):\n logger.debug('IEC60488 clear')\n with transport:\n try:\n transport.clear()\n except AttributeError:\n clear_msg = self.create_message('*CLS')\n transport.write(clear_msg)\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, transport, num_bytes, header, *data): message = self.create_message(header, *data) logger.debug('SignalRecovery query bytes: %r', message) with transport: transport.write(message) response = transport.read_exactly(num_bytes) logger.debug('SignalRecovery response: %r', response) _, status_byte, overload_byte = transport.read_exactly(3) logger.debug('SignalRecovery stb: %r olb: %r', status_byte, overload_byte) self.call_byte_handler(status_byte, overload_byte) return response
query_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, transport, num_bytes, header, *data):\n message = self.create_message(header, *data)\n logger.debug('SignalRecovery query bytes: %r', message)\n with transport:\n transport.write(message)\n response = transport.read_exactly(num_bytes)\n logger.debug('SignalRecovery response: %r', response)\n _, status_byte, overload_byte = transport.read_exactly(3)\n logger.debug('SignalRecovery stb: %r olb: %r', status_byte, overload_byte)\n self.call_byte_handler(status_byte, overload_byte)\n return response\n", "role": "user" }, { "content": "query_bytes", "role": "assistant" } ]
def x(v): v /= np.linalg.norm(v) ra_deg = 0 dec_rad = np.arcsin(v[2]) s = np.hypot(v[0], v[1]) if s == 0: ra_rad = 0 else: ra_rad = np.arcsin(v[1] / s) ra_deg = np.degrees(ra_rad) if v[0] >= 0: if v[1] >= 0: pass else: ra_deg = 360 + ra_deg elif v[1] > 0: ra_deg = 180 - ra_deg else: ra_deg = 180 - ra_deg raDec = ra_deg, np.degrees(dec_rad) return np.array(raDec)
raDecFromVec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v):\n v /= np.linalg.norm(v)\n ra_deg = 0\n dec_rad = np.arcsin(v[2])\n s = np.hypot(v[0], v[1])\n if s == 0:\n ra_rad = 0\n else:\n ra_rad = np.arcsin(v[1] / s)\n ra_deg = np.degrees(ra_rad)\n if v[0] >= 0:\n if v[1] >= 0:\n pass\n else:\n ra_deg = 360 + ra_deg\n elif v[1] > 0:\n ra_deg = 180 - ra_deg\n else:\n ra_deg = 180 - ra_deg\n raDec = ra_deg, np.degrees(dec_rad)\n return np.array(raDec)\n", "role": "user" }, { "content": "raDecFromVec", "role": "assistant" } ]
def x(v1, w, theta_deg): ct = np.cos(np.radians(theta_deg)) st = np.sin(np.radians(theta_deg)) term1 = v1 * ct term2 = np.cross(w, v1) * st term3 = np.dot(w, v1) term3 = w * term3 * (1 - ct) return term1 + term2 + term3
rotateAroundVector
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1, w, theta_deg):\n ct = np.cos(np.radians(theta_deg))\n st = np.sin(np.radians(theta_deg))\n term1 = v1 * ct\n term2 = np.cross(w, v1) * st\n term3 = np.dot(w, v1)\n term3 = w * term3 * (1 - ct)\n return term1 + term2 + term3\n", "role": "user" }, { "content": "rotateAroundVector", "role": "assistant" } ]
def x(v1, theta_deg): axis = np.array([0, -1, 0]) return rotateAroundVector(v1, axis, theta_deg)
rotateInDeclination
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1, theta_deg):\n axis = np.array([0, -1, 0])\n return rotateAroundVector(v1, axis, theta_deg)\n", "role": "user" }, { "content": "rotateInDeclination", "role": "assistant" } ]
def x(theta_deg): ct = np.cos(np.radians(theta_deg)) st = np.sin(np.radians(theta_deg)) mat = np.zeros((3, 3)) mat[0, 0] = ct mat[0, 2] = -st mat[1, 1] = 1 mat[2, 0] = st mat[2, 2] = ct return mat
declinationRotationMatrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(theta_deg):\n ct = np.cos(np.radians(theta_deg))\n st = np.sin(np.radians(theta_deg))\n mat = np.zeros((3, 3))\n mat[0, 0] = ct\n mat[0, 2] = -st\n mat[1, 1] = 1\n mat[2, 0] = st\n mat[2, 2] = ct\n return mat\n", "role": "user" }, { "content": "declinationRotationMatrix", "role": "assistant" } ]
def x(self, mode, speed=None): sweep_modes = ['UP', 'DOWN', 'PAUSE', 'ZERO', 'LIMIT'] sweep_speed = ['SLOW', 'FAST', None] if not mode in sweep_modes: raise ValueError('Invalid sweep mode.') if not speed in sweep_speed: raise ValueError('Invalid sweep speed.') if speed is None: self._write('SWEEP {0}'.format(mode)) else: self._write('SWEEP {0} {1}'.format(mode, speed))
sweep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode, speed=None):\n sweep_modes = ['UP', 'DOWN', 'PAUSE', 'ZERO', 'LIMIT']\n sweep_speed = ['SLOW', 'FAST', None]\n if not mode in sweep_modes:\n raise ValueError('Invalid sweep mode.')\n if not speed in sweep_speed:\n raise ValueError('Invalid sweep speed.')\n if speed is None:\n self._write('SWEEP {0}'.format(mode))\n else:\n self._write('SWEEP {0} {1}'.format(mode, speed))\n", "role": "user" }, { "content": "sweep", "role": "assistant" } ]
def x(self, func, args=None, kwargs=None): if not args: args = () if not kwargs: kwargs = {} self.microservice.get_io_loop().add_callback(func, *args, **kwargs)
run_on_main_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func, args=None, kwargs=None):\n if not args:\n args = ()\n if not kwargs:\n kwargs = {}\n self.microservice.get_io_loop().add_callback(func, *args, **kwargs)\n", "role": "user" }, { "content": "run_on_main_thread", "role": "assistant" } ]
def x(vec, theta_deg): ct = np.cos(np.radians(theta_deg)) st = np.sin(np.radians(theta_deg)) vec /= np.linalg.norm(vec) assert np.all(np.isfinite(vec)) term1 = ct * np.eye(3) ucross = np.zeros((3, 3)) ucross[0] = [0, -vec[2], vec[1]] ucross[1] = [vec[2], 0, -vec[0]] ucross[2] = [-vec[1], vec[0], 0] term2 = st * ucross ufunny = np.zeros((3, 3)) for i in range(0, 3): for j in range(i, 3): ufunny[i, j] = vec[i] * vec[j] ufunny[j, i] = ufunny[i, j] term3 = (1 - ct) * ufunny return term1 + term2 + term3
rotateAboutVectorMatrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vec, theta_deg):\n ct = np.cos(np.radians(theta_deg))\n st = np.sin(np.radians(theta_deg))\n vec /= np.linalg.norm(vec)\n assert np.all(np.isfinite(vec))\n term1 = ct * np.eye(3)\n ucross = np.zeros((3, 3))\n ucross[0] = [0, -vec[2], vec[1]]\n ucross[1] = [vec[2], 0, -vec[0]]\n ucross[2] = [-vec[1], vec[0], 0]\n term2 = st * ucross\n ufunny = np.zeros((3, 3))\n for i in range(0, 3):\n for j in range(i, 3):\n ufunny[i, j] = vec[i] * vec[j]\n ufunny[j, i] = ufunny[i, j]\n term3 = (1 - ct) * ufunny\n return term1 + term2 + term3\n", "role": "user" }, { "content": "rotateAboutVectorMatrix", "role": "assistant" } ]
def x(theta_deg): ct = np.cos(np.radians(theta_deg)) st = np.sin(np.radians(theta_deg)) rMat = np.array([[ct, -st, 0], [st, ct, 0], [0, 0, 1]]) return rMat
rotateInZMat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(theta_deg):\n ct = np.cos(np.radians(theta_deg))\n st = np.sin(np.radians(theta_deg))\n rMat = np.array([[ct, -st, 0], [st, ct, 0], [0, 0, 1]])\n return rMat\n", "role": "user" }, { "content": "rotateInZMat", "role": "assistant" } ]
def x(tweet): if tweet['retweeted']: text = 'RT {user}: {text}'.format(user=TWITTER_USERNAME_URL.format( screen_name=tweet['user']['screen_name']), text=tweet['text']) else: text = tweet['text'] for hashtag in tweet['entities']['hashtags']: text = text.replace('#%s' % hashtag['text'], TWITTER_HASHTAG_URL. format(hashtag=hashtag['text'])) for mention in tweet['entities']['user_mentions']: text = text.replace('@%s' % mention['screen_name'], TWITTER_USERNAME_URL.format(screen_name=mention['screen_name'])) urls = tweet['entities']['urls'] for url in urls: text = text.replace(url['url'], TWITTER_URL.format(url=url[ 'expanded_url'], display_url=url['display_url'])) if 'media' in tweet['entities']: for media in tweet['entities']['media']: text = text.replace(media['url'], TWITTER_MEDIA_URL.format(url= media['expanded_url'], display_url=media['display_url'])) return mark_safe(text)
urlize_tweet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tweet):\n if tweet['retweeted']:\n text = 'RT {user}: {text}'.format(user=TWITTER_USERNAME_URL.format(\n screen_name=tweet['user']['screen_name']), text=tweet['text'])\n else:\n text = tweet['text']\n for hashtag in tweet['entities']['hashtags']:\n text = text.replace('#%s' % hashtag['text'], TWITTER_HASHTAG_URL.\n format(hashtag=hashtag['text']))\n for mention in tweet['entities']['user_mentions']:\n text = text.replace('@%s' % mention['screen_name'],\n TWITTER_USERNAME_URL.format(screen_name=mention['screen_name']))\n urls = tweet['entities']['urls']\n for url in urls:\n text = text.replace(url['url'], TWITTER_URL.format(url=url[\n 'expanded_url'], display_url=url['display_url']))\n if 'media' in tweet['entities']:\n for media in tweet['entities']['media']:\n text = text.replace(media['url'], TWITTER_MEDIA_URL.format(url=\n media['expanded_url'], display_url=media['display_url']))\n return mark_safe(text)\n", "role": "user" }, { "content": "urlize_tweet", "role": "assistant" } ]
def x(self): if self.ReadSession is None: self.ReadSession = scoped_session(sessionmaker(bind=self.engine)) return self.ReadSession
getReadSession
[ { "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.ReadSession is None:\n self.ReadSession = scoped_session(sessionmaker(bind=self.engine))\n return self.ReadSession\n", "role": "user" }, { "content": "getReadSession", "role": "assistant" } ]
def x(self): if self.WriteSession is None: self.WriteSession = sessionmaker(bind=self.engine) self.writeSession = self.WriteSession() return self.writeSession
getWriteSession
[ { "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.WriteSession is None:\n self.WriteSession = sessionmaker(bind=self.engine)\n self.writeSession = self.WriteSession()\n return self.writeSession\n", "role": "user" }, { "content": "getWriteSession", "role": "assistant" } ]
def x(self, symbol, start, end): if end is None: end = sys.maxint session = self.getReadSession()() try: rows = session.query(Quote).filter(and_(Quote.symbol == symbol, Quote.time >= int(start), Quote.time < int(end))) finally: self.getReadSession().remove() return rows
readTupleQuotes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol, start, end):\n if end is None:\n end = sys.maxint\n session = self.getReadSession()()\n try:\n rows = session.query(Quote).filter(and_(Quote.symbol == symbol, \n Quote.time >= int(start), Quote.time < int(end)))\n finally:\n self.getReadSession().remove()\n return rows\n", "role": "user" }, { "content": "readTupleQuotes", "role": "assistant" } ]
def x(self, symbols, start, end): if end is None: end = sys.maxint ret = {} session = self.getReadSession()() try: symbolChunks = splitListEqually(symbols, 100) for chunk in symbolChunks: rows = session.query(Quote.symbol, Quote.time, Quote.close, Quote.volume, Quote.low, Quote.high).filter(and_(Quote. symbol.in_(chunk), Quote.time >= int(start), Quote.time < int(end))) for row in rows: if row.time not in ret: ret[row.time] = {} ret[row.time][row.symbol] = self.__sqlToTupleQuote(row) finally: self.getReadSession().remove() return ret
readBatchTupleQuotes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbols, start, end):\n if end is None:\n end = sys.maxint\n ret = {}\n session = self.getReadSession()()\n try:\n symbolChunks = splitListEqually(symbols, 100)\n for chunk in symbolChunks:\n rows = session.query(Quote.symbol, Quote.time, Quote.close,\n Quote.volume, Quote.low, Quote.high).filter(and_(Quote.\n symbol.in_(chunk), Quote.time >= int(start), Quote.time <\n int(end)))\n for row in rows:\n if row.time not in ret:\n ret[row.time] = {}\n ret[row.time][row.symbol] = self.__sqlToTupleQuote(row)\n finally:\n self.getReadSession().remove()\n return ret\n", "role": "user" }, { "content": "readBatchTupleQuotes", "role": "assistant" } ]
def x(self, symbol, start, end): if end is None: end = sys.maxint session = self.getReadSession()() try: rows = session.query(Tick).filter(and_(Tick.symbol == symbol, Tick. time >= int(start), Tick.time < int(end))) finally: self.getReadSession().remove() return [self.__sqlToTupleTick(row) for row in rows]
read_tuple_ticks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol, start, end):\n if end is None:\n end = sys.maxint\n session = self.getReadSession()()\n try:\n rows = session.query(Tick).filter(and_(Tick.symbol == symbol, Tick.\n time >= int(start), Tick.time < int(end)))\n finally:\n self.getReadSession().remove()\n return [self.__sqlToTupleTick(row) for row in rows]\n", "role": "user" }, { "content": "read_tuple_ticks", "role": "assistant" } ]
def x(self, quotes): if self.first: Base.metadata.create_all(self.engine, checkfirst=True) self.first = False session = self.getWriteSession() session.add_all([self.__quoteToSql(quote) for quote in quotes])
write_quotes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quotes):\n if self.first:\n Base.metadata.create_all(self.engine, checkfirst=True)\n self.first = False\n session = self.getWriteSession()\n session.add_all([self.__quoteToSql(quote) for quote in quotes])\n", "role": "user" }, { "content": "write_quotes", "role": "assistant" } ]
def x(self, ticks): if self.first: Base.metadata.create_all(self.engine, checkfirst=True) self.first = False session = self.getWriteSession() session.add_all([self.__tickToSql(tick) for tick in ticks])
write_ticks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ticks):\n if self.first:\n Base.metadata.create_all(self.engine, checkfirst=True)\n self.first = False\n session = self.getWriteSession()\n session.add_all([self.__tickToSql(tick) for tick in ticks])\n", "role": "user" }, { "content": "write_ticks", "role": "assistant" } ]
def x(self, keyTimeValueDict): if self.first: Base.metadata.create_all(self.__getEngine(), checkfirst=True) self.first = False sqls = self._fundamentalToSqls(keyTimeValueDict) session = self.Session() try: session.add_all(sqls) finally: self.Session.remove()
write_fundamental
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keyTimeValueDict):\n if self.first:\n Base.metadata.create_all(self.__getEngine(), checkfirst=True)\n self.first = False\n sqls = self._fundamentalToSqls(keyTimeValueDict)\n session = self.Session()\n try:\n session.add_all(sqls)\n finally:\n self.Session.remove()\n", "role": "user" }, { "content": "write_fundamental", "role": "assistant" } ]
def x(self, symbol, keyTimeValueDict): sqls = [] for key, timeValues in keyTimeValueDict.iteritems(): for timeStamp, value in timeValues.iteritems(): sqls.append(FmSql(symbol, key, timeStamp, value)) return sqls
fundamentalToSqls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol, keyTimeValueDict):\n sqls = []\n for key, timeValues in keyTimeValueDict.iteritems():\n for timeStamp, value in timeValues.iteritems():\n sqls.append(FmSql(symbol, key, timeStamp, value))\n return sqls\n", "role": "user" }, { "content": "fundamentalToSqls", "role": "assistant" } ]
def x(self): if self._writeable: self._write(('CRVDEL', Integer), self.idx) else: raise RuntimeError('Can not delete read-only curves.')
delete
[ { "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._writeable:\n self._write(('CRVDEL', Integer), self.idx)\n else:\n raise RuntimeError('Can not delete read-only curves.')\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, idx): return self._query(('PGM?', [Integer, Integer], String), self.idx, idx)
line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n return self._query(('PGM?', [Integer, Integer], String), self.idx, idx)\n", "role": "user" }, { "content": "line", "role": "assistant" } ]
def x(self, new_line): self._write(('PGM', [Integer, String]), self.idx, new_line)
append_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_line):\n self._write(('PGM', [Integer, String]), self.idx, new_line)\n", "role": "user" }, { "content": "append_line", "role": "assistant" } ]
def x(self, std, dest, serial, T1, U1, T2, U2, T3=None, U3=None): args = [std, dest, serial, T1, U1, T2, U2] dtype = [Integer(min=1, max=21), Integer(min=21, max=61), String(max=10 ), Float, Float, Float, Float] if T3 is not None and U3 is not None: args.extend([T3, U3]) dtype.extend([Float, Float]) self._write(('SCAL', dtype), *args)
softcal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, std, dest, serial, T1, U1, T2, U2, T3=None, U3=None):\n args = [std, dest, serial, T1, U1, T2, U2]\n dtype = [Integer(min=1, max=21), Integer(min=21, max=61), String(max=10\n ), Float, Float, Float, Float]\n if T3 is not None and U3 is not None:\n args.extend([T3, U3])\n dtype.extend([Float, Float])\n self._write(('SCAL', dtype), *args)\n", "role": "user" }, { "content": "softcal", "role": "assistant" } ]
def x(inputFile, outputFile, thumbnailSize, outputFormat='jpeg'): if Image is None: import PIL image = Image.open(inputFile) if thumbnailSize < max(image.size): if image.mode == '1': image = image.convert('L') elif image.mode == 'P': image = image.convert('RGB') image.thumbnail((thumbnailSize, thumbnailSize), Image.ANTIALIAS) image.save(outputFile, outputFormat)
makeThumbnail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputFile, outputFile, thumbnailSize, outputFormat='jpeg'):\n if Image is None:\n import PIL\n image = Image.open(inputFile)\n if thumbnailSize < max(image.size):\n if image.mode == '1':\n image = image.convert('L')\n elif image.mode == 'P':\n image = image.convert('RGB')\n image.thumbnail((thumbnailSize, thumbnailSize), Image.ANTIALIAS)\n image.save(outputFile, outputFormat)\n", "role": "user" }, { "content": "makeThumbnail", "role": "assistant" } ]
def x(contactType): descriptiveIdentifierMethod = getattr(contactType, 'descriptiveIdentifier', None) if descriptiveIdentifierMethod is not None: return descriptiveIdentifierMethod() warn( "IContactType now has the 'descriptiveIdentifier' method, %s did not implement it" % (contactType.__class__,), category=PendingDeprecationWarning) return _objectToName(contactType).decode('ascii')
descriptiveIdentifier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(contactType):\n descriptiveIdentifierMethod = getattr(contactType,\n 'descriptiveIdentifier', None)\n if descriptiveIdentifierMethod is not None:\n return descriptiveIdentifierMethod()\n warn(\n \"IContactType now has the 'descriptiveIdentifier' method, %s did not implement it\"\n % (contactType.__class__,), category=PendingDeprecationWarning)\n return _objectToName(contactType).decode('ascii')\n", "role": "user" }, { "content": "descriptiveIdentifier", "role": "assistant" } ]
def x(plugin): name = getattr(plugin, 'name', None) if name is not None: return name warn( "IOrganizerPlugin now has the 'name' attribute and %s does not define it" % (plugin.__class__,), category=PendingDeprecationWarning) return _objectToName(plugin).decode('ascii')
organizerPluginName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plugin):\n name = getattr(plugin, 'name', None)\n if name is not None:\n return name\n warn(\n \"IOrganizerPlugin now has the 'name' attribute and %s does not define it\"\n % (plugin.__class__,), category=PendingDeprecationWarning)\n return _objectToName(plugin).decode('ascii')\n", "role": "user" }, { "content": "organizerPluginName", "role": "assistant" } ]
def x(d): return dict((k.encode('ascii'), v) for k, v in d.iteritems())
stringifyKeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n return dict((k.encode('ascii'), v) for k, v in d.iteritems())\n", "role": "user" }, { "content": "stringifyKeys", "role": "assistant" } ]
def x(old): smallerBody = Mugshot.makeThumbnail(old.body.open(), old.person, old. type.split('/')[1], smaller=True) return old.upgradeVersion(Mugshot.typeName, 1, 2, person=old.person, type=old.type, body=old.body, smallerBody=smallerBody)
mugshot1to2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old):\n smallerBody = Mugshot.makeThumbnail(old.body.open(), old.person, old.\n type.split('/')[1], smaller=True)\n return old.upgradeVersion(Mugshot.typeName, 1, 2, person=old.person,\n type=old.type, body=old.body, smallerBody=smallerBody)\n", "role": "user" }, { "content": "mugshot1to2", "role": "assistant" } ]
def x(old): new = old.upgradeVersion(Mugshot.typeName, 2, 3, person=old.person, type=old.type, body=old.body, smallerBody=old.smallerBody) new.smallerBody = new.makeThumbnail(new.body.open(), new.person, new. type[len('image/'):], smaller=True) return new
mugshot2to3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old):\n new = old.upgradeVersion(Mugshot.typeName, 2, 3, person=old.person,\n type=old.type, body=old.body, smallerBody=old.smallerBody)\n new.smallerBody = new.makeThumbnail(new.body.open(), new.person, new.\n type[len('image/'):], smaller=True)\n return new\n", "role": "user" }, { "content": "mugshot2to3", "role": "assistant" } ]
def x(self, contactItem): isVIP = False if contactItem is not None: isVIP = contactItem.person.vip return [liveform.Parameter('vip', liveform.CHECKBOX_INPUT, bool, 'VIP', default=isVIP)]
getParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contactItem):\n isVIP = False\n if contactItem is not None:\n isVIP = contactItem.person.vip\n return [liveform.Parameter('vip', liveform.CHECKBOX_INPUT, bool, 'VIP',\n default=isVIP)]\n", "role": "user" }, { "content": "getParameters", "role": "assistant" } ]
def x(self, emailAddress): if emailAddress is not None: address = emailAddress.address else: address = u'' return [liveform.Parameter('email', liveform.TEXT_INPUT, _normalizeWhitespace, 'Email Address', default=address)]
getParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, emailAddress):\n if emailAddress is not None:\n address = emailAddress.address\n else:\n address = u''\n return [liveform.Parameter('email', liveform.TEXT_INPUT,\n _normalizeWhitespace, 'Email Address', default=address)]\n", "role": "user" }, { "content": "getParameters", "role": "assistant" } ]
def x(self, email): return self.store.findUnique(EmailAddress, EmailAddress.address == email, default=None)
existing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email):\n return self.store.findUnique(EmailAddress, EmailAddress.address ==\n email, default=None)\n", "role": "user" }, { "content": "existing", "role": "assistant" } ]
def x(self, person, email): if email: address = self._existing(email) if address is not None: raise ValueError( 'There is already a person with that email address (%s): ' % (address.person.name,)) return EmailAddress(store=self.store, address=email, person=person)
createContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, email):\n if email:\n address = self._existing(email)\n if address is not None:\n raise ValueError(\n 'There is already a person with that email address (%s): ' %\n (address.person.name,))\n return EmailAddress(store=self.store, address=email, person=person)\n", "role": "user" }, { "content": "createContactItem", "role": "assistant" } ]
def x(self, person): return person.store.query(EmailAddress, EmailAddress.person == person)
getContactItems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n return person.store.query(EmailAddress, EmailAddress.person == person)\n", "role": "user" }, { "content": "getContactItems", "role": "assistant" } ]
def x(self, contact, email): address = self._existing(email) if address is not None and address is not contact: raise ValueError( 'There is already a person with that email address (%s): ' % ( address.person.name,)) contact.address = email
editContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contact, email):\n address = self._existing(email)\n if address is not None and address is not contact:\n raise ValueError(\n 'There is already a person with that email address (%s): ' % (\n address.person.name,))\n contact.address = email\n", "role": "user" }, { "content": "editContactItem", "role": "assistant" } ]
def x(self): return self.store.query(EmailAddress, EmailAddress.person == self ).getColumn('address')
getEmailAddresses
[ { "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.store.query(EmailAddress, EmailAddress.person == self\n ).getColumn('address')\n", "role": "user" }, { "content": "getEmailAddresses", "role": "assistant" } ]
def x(self): mugshot = self.store.findUnique(Mugshot, Mugshot.person == self, default=None) if mugshot is not None: return mugshot return Mugshot.placeholderForPerson(self)
getMugshot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mugshot = self.store.findUnique(Mugshot, Mugshot.person == self,\n default=None)\n if mugshot is not None:\n return mugshot\n return Mugshot.placeholderForPerson(self)\n", "role": "user" }, { "content": "getMugshot", "role": "assistant" } ]
def x(self): if self.store is None: return None userInfo = self.store.findFirst(signup.UserInfo) name = u'' if userInfo is not None: name = userInfo.realName account = self.store.findUnique(LoginAccount, LoginAccount.avatars == self.store, None) ownerPerson = self.createPerson(name) if account is not None: for method in self.store.query(LoginMethod, attributes.AND( LoginMethod.account == account, LoginMethod.internal == False)): self.createContactItem(EmailContactType(self.store), ownerPerson, dict(email=method.localpart + u'@' + method. domain)) return ownerPerson
makeStoreOwnerPerson
[ { "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.store is None:\n return None\n userInfo = self.store.findFirst(signup.UserInfo)\n name = u''\n if userInfo is not None:\n name = userInfo.realName\n account = self.store.findUnique(LoginAccount, LoginAccount.avatars ==\n self.store, None)\n ownerPerson = self.createPerson(name)\n if account is not None:\n for method in self.store.query(LoginMethod, attributes.AND(\n LoginMethod.account == account, LoginMethod.internal == False)):\n self.createContactItem(EmailContactType(self.store),\n ownerPerson, dict(email=method.localpart + u'@' + method.\n domain))\n return ownerPerson\n", "role": "user" }, { "content": "makeStoreOwnerPerson", "role": "assistant" } ]
def x(self, methodName): for plugin in self.getOrganizerPlugins(): implementation = getattr(plugin, methodName, None) if implementation is not None: yield implementation else: warn( 'IOrganizerPlugin now has the %r method, %s did not implement it' % (methodName, plugin.__class__), category= PendingDeprecationWarning)
gatherPluginMethods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, methodName):\n for plugin in self.getOrganizerPlugins():\n implementation = getattr(plugin, methodName, None)\n if implementation is not None:\n yield implementation\n else:\n warn(\n 'IOrganizerPlugin now has the %r method, %s did not implement it'\n % (methodName, plugin.__class__), category=\n PendingDeprecationWarning)\n", "role": "user" }, { "content": "gatherPluginMethods", "role": "assistant" } ]
def x(self, contactType): if getattr(contactType, 'getEditFormForPerson', None) is None: warn( "IContactType now has the 'getEditFormForPerson' method, but %s did not implement it." % (contactType.__class__,), category=PendingDeprecationWarning) if getattr(contactType, 'getEditorialForm', None) is not None: warn( "The IContactType %s defines the 'getEditorialForm' method, which is deprecated. 'getEditFormForPerson' does something vaguely similar." % (contactType.__class__,), category=DeprecationWarning)
checkContactType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contactType):\n if getattr(contactType, 'getEditFormForPerson', None) is None:\n warn(\n \"IContactType now has the 'getEditFormForPerson' method, but %s did not implement it.\"\n % (contactType.__class__,), category=PendingDeprecationWarning)\n if getattr(contactType, 'getEditorialForm', None) is not None:\n warn(\n \"The IContactType %s defines the 'getEditorialForm' method, which is deprecated. 'getEditFormForPerson' does something vaguely similar.\"\n % (contactType.__class__,), category=DeprecationWarning)\n", "role": "user" }, { "content": "checkContactType", "role": "assistant" } ]
def x(self): yield VIPPersonContactType() yield EmailContactType(self.store) yield PostalContactType() yield PhoneNumberContactType() yield NotesContactType() for getContactTypes in self._gatherPluginMethods('getContactTypes'): for contactType in getContactTypes(): self._checkContactType(contactType) yield contactType
getContactTypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield VIPPersonContactType()\n yield EmailContactType(self.store)\n yield PostalContactType()\n yield PhoneNumberContactType()\n yield NotesContactType()\n for getContactTypes in self._gatherPluginMethods('getContactTypes'):\n for contactType in getContactTypes():\n self._checkContactType(contactType)\n yield contactType\n", "role": "user" }, { "content": "getContactTypes", "role": "assistant" } ]
def x(self): yield AllPeopleFilter() yield VIPPeopleFilter() for getPeopleFilters in self._gatherPluginMethods('getPeopleFilters'): for peopleFilter in getPeopleFilters(): yield peopleFilter for tag in sorted(self.getPeopleTags()): yield TaggedPeopleFilter(tag)
getPeopleFilters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield AllPeopleFilter()\n yield VIPPeopleFilter()\n for getPeopleFilters in self._gatherPluginMethods('getPeopleFilters'):\n for peopleFilter in getPeopleFilters():\n yield peopleFilter\n for tag in sorted(self.getPeopleTags()):\n yield TaggedPeopleFilter(tag)\n", "role": "user" }, { "content": "getPeopleFilters", "role": "assistant" } ]
def x(self): query = self.store.query(Tag, Tag.object == Person.storeID) return set(query.getColumn('name').distinct())
getPeopleTags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n query = self.store.query(Tag, Tag.object == Person.storeID)\n return set(query.getColumn('name').distinct())\n", "role": "user" }, { "content": "getPeopleTags", "role": "assistant" } ]
def x(self, person): grouped = {} for contactType in self.getContactTypes(): for contactItem in contactType.getContactItems(person): contactGroup = contactType.getContactGroup(contactItem) if contactGroup is not None: contactGroup = contactGroup.groupName if contactGroup not in grouped: grouped[contactGroup] = [] grouped[contactGroup].append(contactType.getReadOnlyView( contactItem)) return grouped
groupReadOnlyViews
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n grouped = {}\n for contactType in self.getContactTypes():\n for contactItem in contactType.getContactItems(person):\n contactGroup = contactType.getContactGroup(contactItem)\n if contactGroup is not None:\n contactGroup = contactGroup.groupName\n if contactGroup not in grouped:\n grouped[contactGroup] = []\n grouped[contactGroup].append(contactType.getReadOnlyView(\n contactItem))\n return grouped\n", "role": "user" }, { "content": "groupReadOnlyViews", "role": "assistant" } ]
def x(self): for contactType in self.getContactTypes(): if contactType.allowMultipleContactItems: descriptiveIdentifier = _descriptiveIdentifier(contactType) yield liveform.ListChangeParameter(contactType.uniqueIdentifier (), contactType.getParameters(None), defaults=[], modelObjects=[], modelObjectDescription=descriptiveIdentifier) else: yield liveform.FormParameter(contactType.uniqueIdentifier(), liveform.LiveForm(lambda **k: k, contactType.getParameters( None)))
getContactCreationParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for contactType in self.getContactTypes():\n if contactType.allowMultipleContactItems:\n descriptiveIdentifier = _descriptiveIdentifier(contactType)\n yield liveform.ListChangeParameter(contactType.uniqueIdentifier\n (), contactType.getParameters(None), defaults=[],\n modelObjects=[], modelObjectDescription=descriptiveIdentifier)\n else:\n yield liveform.FormParameter(contactType.uniqueIdentifier(),\n liveform.LiveForm(lambda **k: k, contactType.getParameters(\n None)))\n", "role": "user" }, { "content": "getContactCreationParameters", "role": "assistant" } ]
def x(self, parameters): defaults = {} for p in parameters: if isinstance(p, liveform.ChoiceParameter): selected = [] for choice in p.choices: if choice.selected: selected.append(choice.value) defaults[p.name] = selected else: defaults[p.name] = p.default return defaults
parametersToDefaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parameters):\n defaults = {}\n for p in parameters:\n if isinstance(p, liveform.ChoiceParameter):\n selected = []\n for choice in p.choices:\n if choice.selected:\n selected.append(choice.value)\n defaults[p.name] = selected\n else:\n defaults[p.name] = p.default\n return defaults\n", "role": "user" }, { "content": "parametersToDefaults", "role": "assistant" } ]
def x(self, contactType, person): contactItems = list(contactType.getContactItems(person)) if contactType.allowMultipleContactItems: defaults = [] modelObjects = [] for contactItem in contactItems: defaultedParameters = contactType.getParameters(contactItem) if defaultedParameters is None: continue defaults.append(self._parametersToDefaults(defaultedParameters)) modelObjects.append(contactItem) descriptiveIdentifier = _descriptiveIdentifier(contactType) return liveform.ListChangeParameter(contactType.uniqueIdentifier(), contactType.getParameters(None), defaults=defaults, modelObjects=modelObjects, modelObjectDescription= descriptiveIdentifier) contactItem, = contactItems return liveform.FormParameter(contactType.uniqueIdentifier(), liveform. LiveForm(lambda **k: k, contactType.getParameters(contactItem)))
toContactEditorialParameter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contactType, person):\n contactItems = list(contactType.getContactItems(person))\n if contactType.allowMultipleContactItems:\n defaults = []\n modelObjects = []\n for contactItem in contactItems:\n defaultedParameters = contactType.getParameters(contactItem)\n if defaultedParameters is None:\n continue\n defaults.append(self._parametersToDefaults(defaultedParameters))\n modelObjects.append(contactItem)\n descriptiveIdentifier = _descriptiveIdentifier(contactType)\n return liveform.ListChangeParameter(contactType.uniqueIdentifier(),\n contactType.getParameters(None), defaults=defaults,\n modelObjects=modelObjects, modelObjectDescription=\n descriptiveIdentifier)\n contactItem, = contactItems\n return liveform.FormParameter(contactType.uniqueIdentifier(), liveform.\n LiveForm(lambda **k: k, contactType.getParameters(contactItem)))\n", "role": "user" }, { "content": "toContactEditorialParameter", "role": "assistant" } ]
def x(self, person): for contactType in self.getContactTypes(): yield contactType, self.toContactEditorialParameter(contactType, person )
getContactEditorialParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n for contactType in self.getContactTypes():\n yield contactType, self.toContactEditorialParameter(contactType, person\n )\n", "role": "user" }, { "content": "getContactEditorialParameters", "role": "assistant" } ]
def x(self, nickname, vip=_NO_VIP): for person in self.store.query(Person, attributes.AND(Person.name == nickname, Person.organizer == self)): raise ValueError('Person with name %r exists already.' % (nickname,)) person = Person(store=self.store, created=extime.Time(), organizer=self, name=nickname) if vip is not self._NO_VIP: warn("Usage of Organizer.createPerson's 'vip' parameter is deprecated", category=DeprecationWarning) person.vip = vip self._callOnOrganizerPlugins('personCreated', person) return person
createPerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nickname, vip=_NO_VIP):\n for person in self.store.query(Person, attributes.AND(Person.name ==\n nickname, Person.organizer == self)):\n raise ValueError('Person with name %r exists already.' % (nickname,))\n person = Person(store=self.store, created=extime.Time(), organizer=self,\n name=nickname)\n if vip is not self._NO_VIP:\n warn(\"Usage of Organizer.createPerson's 'vip' parameter is deprecated\",\n category=DeprecationWarning)\n person.vip = vip\n self._callOnOrganizerPlugins('personCreated', person)\n return person\n", "role": "user" }, { "content": "createPerson", "role": "assistant" } ]
def x(self, contactType, person, contactInfo): contactItem = contactType.createContactItem(person, **_stringifyKeys( contactInfo)) if contactItem is not None: self._callOnOrganizerPlugins('contactItemCreated', contactItem) return contactItem
createContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contactType, person, contactInfo):\n contactItem = contactType.createContactItem(person, **_stringifyKeys(\n contactInfo))\n if contactItem is not None:\n self._callOnOrganizerPlugins('contactItemCreated', contactItem)\n return contactItem\n", "role": "user" }, { "content": "createContactItem", "role": "assistant" } ]
def x(self, contactType, contactItem, contactInfo): contactType.editContactItem(contactItem, **_stringifyKeys(contactInfo)) self._callOnOrganizerPlugins('contactItemEdited', contactItem)
editContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contactType, contactItem, contactInfo):\n contactType.editContactItem(contactItem, **_stringifyKeys(contactInfo))\n self._callOnOrganizerPlugins('contactItemEdited', contactItem)\n", "role": "user" }, { "content": "editContactItem", "role": "assistant" } ]
def x(self, methodName, *args): for observer in self.getOrganizerPlugins(): method = getattr(observer, methodName, None) if method is not None: method(*args) else: warn( 'IOrganizerPlugin now has the %s method, %s did not implement it' % (methodName, observer.__class__), category= PendingDeprecationWarning)
callOnOrganizerPlugins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, methodName, *args):\n for observer in self.getOrganizerPlugins():\n method = getattr(observer, methodName, None)\n if method is not None:\n method(*args)\n else:\n warn(\n 'IOrganizerPlugin now has the %s method, %s did not implement it'\n % (methodName, observer.__class__), category=\n PendingDeprecationWarning)\n", "role": "user" }, { "content": "callOnOrganizerPlugins", "role": "assistant" } ]
def x(self, person, nickname, edits): for existing in self.store.query(Person, Person.name == nickname): if existing is person: continue raise ValueError('A person with the name %r exists already.' % ( nickname,)) oldname = person.name person.name = nickname self._callOnOrganizerPlugins('personNameChanged', person, oldname) for contactType, submission in edits: if contactType.allowMultipleContactItems: for edit in submission.edit: self.editContactItem(contactType, edit.object, edit.values) for create in submission.create: create.setter(self.createContactItem(contactType, person, create.values)) for delete in submission.delete: delete.deleteFromStore() else: contactItem, = contactType.getContactItems(person) self.editContactItem(contactType, contactItem, submission)
editPerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, nickname, edits):\n for existing in self.store.query(Person, Person.name == nickname):\n if existing is person:\n continue\n raise ValueError('A person with the name %r exists already.' % (\n nickname,))\n oldname = person.name\n person.name = nickname\n self._callOnOrganizerPlugins('personNameChanged', person, oldname)\n for contactType, submission in edits:\n if contactType.allowMultipleContactItems:\n for edit in submission.edit:\n self.editContactItem(contactType, edit.object, edit.values)\n for create in submission.create:\n create.setter(self.createContactItem(contactType, person,\n create.values))\n for delete in submission.delete:\n delete.deleteFromStore()\n else:\n contactItem, = contactType.getContactItems(person)\n self.editContactItem(contactType, contactItem, submission)\n", "role": "user" }, { "content": "editPerson", "role": "assistant" } ]
def x(self, name): return self.store.findOrCreate(Person, organizer=self, name=name)
personByName
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n return self.store.findOrCreate(Person, organizer=self, name=name)\n", "role": "user" }, { "content": "personByName", "role": "assistant" } ]
def x(self, address): email = self.store.findUnique(EmailAddress, EmailAddress.address == address, default=None) if email is not None: return email.person
personByEmailAddress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address):\n email = self.store.findUnique(EmailAddress, EmailAddress.address ==\n address, default=None)\n if email is not None:\n return email.person\n", "role": "user" }, { "content": "personByEmailAddress", "role": "assistant" } ]
def x(self, person, viewState): organizerURL = self._webTranslator.linkTo(self.storeID) return url.URL(netloc='', scheme='', pathsegs=organizerURL.split('/')[1 :], querysegs=(('initial-person', person.name), ('initial-state', viewState)))
urlForViewState
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, viewState):\n organizerURL = self._webTranslator.linkTo(self.storeID)\n return url.URL(netloc='', scheme='', pathsegs=organizerURL.split('/')[1\n :], querysegs=(('initial-person', person.name), ('initial-state',\n viewState)))\n", "role": "user" }, { "content": "urlForViewState", "role": "assistant" } ]
def x(self, filterName): filter = self.filters[filterName] self.baseConstraint = filter.getPeopleQueryComparison(self.store)
filterByFilter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filterName):\n filter = self.filters[filterName]\n self.baseConstraint = filter.getPeopleQueryComparison(self.store)\n", "role": "user" }, { "content": "filterByFilter", "role": "assistant" } ]
def x(self, request, tag): groupPattern = inevow.IQ(tag).patternGenerator('contact-group') groupedViews = self.organizer.groupReadOnlyViews(self.person) for groupName, views in sorted(groupedViews.items()): if groupName is None: yield views else: yield groupPattern().fillSlots('name', groupName).fillSlots('views' , views)
contactInfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, tag):\n groupPattern = inevow.IQ(tag).patternGenerator('contact-group')\n groupedViews = self.organizer.groupReadOnlyViews(self.person)\n for groupName, views in sorted(groupedViews.items()):\n if groupName is None:\n yield views\n else:\n yield groupPattern().fillSlots('name', groupName).fillSlots('views'\n , views)\n", "role": "user" }, { "content": "contactInfo", "role": "assistant" } ]
def x(self, request, tag): iq = inevow.IQ(tag) tabNames = [_organizerPluginName(p).encode('ascii') for p in self.plugins] child = tabbedPane.TabbedPaneFragment(zip(tabNames, [self. getPluginWidget(tabNames[0])] + [iq.onePattern('pane-body') for _ in tabNames[1:]])) child.jsClass = u'Mantissa.People.PluginTabbedPane' child.setFragmentParent(self) return child
pluginTabbedPane
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, tag):\n iq = inevow.IQ(tag)\n tabNames = [_organizerPluginName(p).encode('ascii') for p in self.plugins]\n child = tabbedPane.TabbedPaneFragment(zip(tabNames, [self.\n getPluginWidget(tabNames[0])] + [iq.onePattern('pane-body') for _ in\n tabNames[1:]]))\n child.jsClass = u'Mantissa.People.PluginTabbedPane'\n child.setFragmentParent(self)\n return child\n", "role": "user" }, { "content": "pluginTabbedPane", "role": "assistant" } ]
def x(self, pluginName): for plugin in self.plugins: if _organizerPluginName(plugin) == pluginName: view = self._toLiveElement(plugin.personalize(self.person)) view.setFragmentParent(self) return view
getPluginWidget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pluginName):\n for plugin in self.plugins:\n if _organizerPluginName(plugin) == pluginName:\n view = self._toLiveElement(plugin.personalize(self.person))\n view.setFragmentParent(self)\n return view\n", "role": "user" }, { "content": "getPluginWidget", "role": "assistant" } ]
def x(self, ctx): request = inevow.IRequest(ctx) if not set(['initial-person', 'initial-state']).issubset(set(request.args) ): return initialPersonName = request.args['initial-person'][0].decode('utf-8') initialPerson = self.store.findFirst(Person, Person.name == initialPersonName) if initialPerson is None: return initialState = request.args['initial-state'][0].decode('utf-8') if initialState not in ORGANIZER_VIEW_STATES.ALL_STATES: return self.initialPerson = initialPerson self.initialState = initialState
beforeRender
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx):\n request = inevow.IRequest(ctx)\n if not set(['initial-person', 'initial-state']).issubset(set(request.args)\n ):\n return\n initialPersonName = request.args['initial-person'][0].decode('utf-8')\n initialPerson = self.store.findFirst(Person, Person.name ==\n initialPersonName)\n if initialPerson is None:\n return\n initialState = request.args['initial-state'][0].decode('utf-8')\n if initialState not in ORGANIZER_VIEW_STATES.ALL_STATES:\n return\n self.initialPerson = initialPerson\n self.initialState = initialState\n", "role": "user" }, { "content": "beforeRender", "role": "assistant" } ]
def x(self): initialArguments = self.organizer.storeOwnerPerson.name, if self.initialPerson is not None: initialArguments += self.initialPerson.name, self.initialState return initialArguments
getInitialArguments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n initialArguments = self.organizer.storeOwnerPerson.name,\n if self.initialPerson is not None:\n initialArguments += self.initialPerson.name, self.initialState\n return initialArguments\n", "role": "user" }, { "content": "getInitialArguments", "role": "assistant" } ]
def x(self): fragment = AddPersonFragment(self.organizer) fragment.setFragmentParent(self) return fragment
getAddPerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n fragment = AddPersonFragment(self.organizer)\n fragment.setFragmentParent(self)\n return fragment\n", "role": "user" }, { "content": "getAddPerson", "role": "assistant" } ]
def x(self): fragment = ImportPeopleWidget(self.organizer) fragment.setFragmentParent(self) return fragment
getImportPeople
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n fragment = ImportPeopleWidget(self.organizer)\n fragment.setFragmentParent(self)\n return fragment\n", "role": "user" }, { "content": "getImportPeople", "role": "assistant" } ]
def x(self, name): view = EditPersonView(self.organizer.personByName(name)) view.setFragmentParent(self) return view
getEditPerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n view = EditPersonView(self.organizer.personByName(name))\n view.setFragmentParent(self)\n return view\n", "role": "user" }, { "content": "getEditPerson", "role": "assistant" } ]
def x(self, name): self.organizer.deletePerson(self.organizer.personByName(name))
deletePerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n self.organizer.deletePerson(self.organizer.personByName(name))\n", "role": "user" }, { "content": "deletePerson", "role": "assistant" } ]
def x(self, request, tag): f = PersonScrollingFragment(self.organizer, None, Person.name, self.wt) f.setFragmentParent(self) f.docFactory = webtheme.getLoader(f.fragmentName) return f
peopleTable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, tag):\n f = PersonScrollingFragment(self.organizer, None, Person.name, self.wt)\n f.setFragmentParent(self)\n f.docFactory = webtheme.getLoader(f.fragmentName)\n return f\n", "role": "user" }, { "content": "peopleTable", "role": "assistant" } ]
def x(self, request, tag): filters = iter(self.organizer.getPeopleFilters()) yield tag.onePattern('selected-filter').fillSlots('name', filters.next( ).filterName) pattern = tag.patternGenerator('filter') for filter in filters: yield pattern.fillSlots('name', filter.filterName)
peopleFilters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, tag):\n filters = iter(self.organizer.getPeopleFilters())\n yield tag.onePattern('selected-filter').fillSlots('name', filters.next(\n ).filterName)\n pattern = tag.patternGenerator('filter')\n for filter in filters:\n yield pattern.fillSlots('name', filter.filterName)\n", "role": "user" }, { "content": "peopleFilters", "role": "assistant" } ]
def x(self, name): fragment = PersonPluginView(self.organizer.getOrganizerPlugins(), self. organizer.personByName(name)) fragment.setFragmentParent(self) return fragment
getPersonPluginWidget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n fragment = PersonPluginView(self.organizer.getOrganizerPlugins(), self.\n organizer.personByName(name))\n fragment.setFragmentParent(self)\n return fragment\n", "role": "user" }, { "content": "getPersonPluginWidget", "role": "assistant" } ]
def x(self, nickname, **edits): submissions = [] for paramName, submission in edits.iteritems(): contactType = self.contactTypes[paramName] submissions.append((contactType, submission)) self.person.store.transact(self.organizer.editPerson, self.person, nickname, submissions)
editContactItems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, nickname, **edits):\n submissions = []\n for paramName, submission in edits.iteritems():\n contactType = self.contactTypes[paramName]\n submissions.append((contactType, submission))\n self.person.store.transact(self.organizer.editPerson, self.person,\n nickname, submissions)\n", "role": "user" }, { "content": "editContactItems", "role": "assistant" } ]
def x(self): parameters = [liveform.Parameter('nickname', liveform.TEXT_INPUT, _normalizeWhitespace, 'Name', default=self.person.name)] separateForms = [] for contactType in self.organizer.getContactTypes(): if getattr(contactType, 'getEditFormForPerson', None): editForm = contactType.getEditFormForPerson(self.person) if editForm is not None: editForm.setFragmentParent(self) separateForms.append(editForm) continue param = self.organizer.toContactEditorialParameter(contactType, self.person) parameters.append(param) self.contactTypes[param.name] = contactType form = liveform.LiveForm(self.editContactItems, parameters, u'Save') form.compact() form.jsClass = u'Mantissa.People.EditPersonForm' form.setFragmentParent(self) return [form] + separateForms
makeEditorialLiveForms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parameters = [liveform.Parameter('nickname', liveform.TEXT_INPUT,\n _normalizeWhitespace, 'Name', default=self.person.name)]\n separateForms = []\n for contactType in self.organizer.getContactTypes():\n if getattr(contactType, 'getEditFormForPerson', None):\n editForm = contactType.getEditFormForPerson(self.person)\n if editForm is not None:\n editForm.setFragmentParent(self)\n separateForms.append(editForm)\n continue\n param = self.organizer.toContactEditorialParameter(contactType,\n self.person)\n parameters.append(param)\n self.contactTypes[param.name] = contactType\n form = liveform.LiveForm(self.editContactItems, parameters, u'Save')\n form.compact()\n form.jsClass = u'Mantissa.People.EditPersonForm'\n form.setFragmentParent(self)\n return [form] + separateForms\n", "role": "user" }, { "content": "makeEditorialLiveForms", "role": "assistant" } ]
def x(self, phoneNumber): defaultNumber = u'' defaultLabel = PhoneNumber.LABELS.HOME if phoneNumber is not None: defaultNumber = phoneNumber.number defaultLabel = phoneNumber.label labelChoiceParameter = liveform.ChoiceParameter('label', [liveform. Option(label, label, label == defaultLabel) for label in PhoneNumber.LABELS.ALL_LABELS], 'Number Type') return [labelChoiceParameter, liveform.Parameter('number', liveform. TEXT_INPUT, unicode, 'Phone Number', default=defaultNumber)]
getParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phoneNumber):\n defaultNumber = u''\n defaultLabel = PhoneNumber.LABELS.HOME\n if phoneNumber is not None:\n defaultNumber = phoneNumber.number\n defaultLabel = phoneNumber.label\n labelChoiceParameter = liveform.ChoiceParameter('label', [liveform.\n Option(label, label, label == defaultLabel) for label in\n PhoneNumber.LABELS.ALL_LABELS], 'Number Type')\n return [labelChoiceParameter, liveform.Parameter('number', liveform.\n TEXT_INPUT, unicode, 'Phone Number', default=defaultNumber)]\n", "role": "user" }, { "content": "getParameters", "role": "assistant" } ]
def x(self, person, label, number): if number: return PhoneNumber(store=person.store, person=person, label=label, number=number)
createContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, label, number):\n if number:\n return PhoneNumber(store=person.store, person=person, label=label,\n number=number)\n", "role": "user" }, { "content": "createContactItem", "role": "assistant" } ]
def x(self, contact, label, number): contact.label = label contact.number = number
editContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, contact, label, number):\n contact.label = label\n contact.number = number\n", "role": "user" }, { "content": "editContactItem", "role": "assistant" } ]
def x(self, person): return person.store.query(PhoneNumber, PhoneNumber.person == person)
getContactItems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n return person.store.query(PhoneNumber, PhoneNumber.person == person)\n", "role": "user" }, { "content": "getContactItems", "role": "assistant" } ]
def x(self, postalAddress): address = u'' if postalAddress is not None: address = postalAddress.address return [liveform.Parameter('address', liveform.TEXT_INPUT, unicode, 'Postal Address', default=address)]
getParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, postalAddress):\n address = u''\n if postalAddress is not None:\n address = postalAddress.address\n return [liveform.Parameter('address', liveform.TEXT_INPUT, unicode,\n 'Postal Address', default=address)]\n", "role": "user" }, { "content": "getParameters", "role": "assistant" } ]
def x(self, person, address): if address: return PostalAddress(store=person.store, person=person, address=address )
createContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, address):\n if address:\n return PostalAddress(store=person.store, person=person, address=address\n )\n", "role": "user" }, { "content": "createContactItem", "role": "assistant" } ]
def x(self, person): return person.store.query(PostalAddress, PostalAddress.person == person)
getContactItems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n return person.store.query(PostalAddress, PostalAddress.person == person)\n", "role": "user" }, { "content": "getContactItems", "role": "assistant" } ]
def x(self, notes): defaultNotes = u'' if notes is not None: defaultNotes = notes.notes return [liveform.Parameter('notes', liveform.TEXTAREA_INPUT, unicode, 'Notes', default=defaultNotes)]
getParameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, notes):\n defaultNotes = u''\n if notes is not None:\n defaultNotes = notes.notes\n return [liveform.Parameter('notes', liveform.TEXTAREA_INPUT, unicode,\n 'Notes', default=defaultNotes)]\n", "role": "user" }, { "content": "getParameters", "role": "assistant" } ]
def x(self, person, notes): if notes: return Notes(store=person.store, person=person, notes=notes)
createContactItem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person, notes):\n if notes:\n return Notes(store=person.store, person=person, notes=notes)\n", "role": "user" }, { "content": "createContactItem", "role": "assistant" } ]
def x(self, person): notes = list(person.store.query(Notes, Notes.person == person)) if not notes: return [Notes(store=person.store, person=person, notes=u'')] return notes
getContactItems
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, person):\n notes = list(person.store.query(Notes, Notes.person == person))\n if not notes:\n return [Notes(store=person.store, person=person, notes=u'')]\n return notes\n", "role": "user" }, { "content": "getContactItems", "role": "assistant" } ]
def x(self, ctx, data): addPersonForm = liveform.LiveForm(self.addPerson, self._baseParameters, description='Add Person') addPersonForm.compact() addPersonForm.jsClass = u'Mantissa.People.AddPersonForm' addPersonForm.setFragmentParent(self) return addPersonForm
render_addPersonForm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx, data):\n addPersonForm = liveform.LiveForm(self.addPerson, self._baseParameters,\n description='Add Person')\n addPersonForm.compact()\n addPersonForm.jsClass = u'Mantissa.People.AddPersonForm'\n addPersonForm.setFragmentParent(self)\n return addPersonForm\n", "role": "user" }, { "content": "render_addPersonForm", "role": "assistant" } ]
def x(self, request, tag): form = liveform.LiveForm(self.importAddresses, [liveform.Parameter( 'addresses', liveform.TEXTAREA_INPUT, self._parseAddresses, 'Email Addresses')], description='Import People') form.jsClass = u'Mantissa.People.ImportPeopleForm' form.compact() form.setFragmentParent(self) return form
importPeopleForm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, tag):\n form = liveform.LiveForm(self.importAddresses, [liveform.Parameter(\n 'addresses', liveform.TEXTAREA_INPUT, self._parseAddresses,\n 'Email Addresses')], description='Import People')\n form.jsClass = u'Mantissa.People.ImportPeopleForm'\n form.compact()\n form.setFragmentParent(self)\n return form\n", "role": "user" }, { "content": "importPeopleForm", "role": "assistant" } ]
def x(self, ctx): req = inevow.IRequest(ctx) if req.method == 'POST': udata = req.fields['uploaddata'] self.cbGotMugshot(udata.type.decode('ascii'), udata.file) return rend.Page.renderHTTP(self, ctx)
renderHTTP
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ctx):\n req = inevow.IRequest(ctx)\n if req.method == 'POST':\n udata = req.fields['uploaddata']\n self.cbGotMugshot(udata.type.decode('ascii'), udata.file)\n return rend.Page.renderHTTP(self, ctx)\n", "role": "user" }, { "content": "renderHTTP", "role": "assistant" } ]
def x(cls, person, inputFile, format): body = cls.makeThumbnail(inputFile, person, format, smaller=False) inputFile.seek(0) smallerBody = cls.makeThumbnail(inputFile, person, format, smaller=True) ctype = u'image/' + format self = person.store.findUnique(cls, cls.person == person, default=None) if self is None: self = cls(store=person.store, person=person, type=ctype, body=body, smallerBody=smallerBody) else: self.body = body self.smallerBody = smallerBody self.type = ctype return self
fromFile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, person, inputFile, format):\n body = cls.makeThumbnail(inputFile, person, format, smaller=False)\n inputFile.seek(0)\n smallerBody = cls.makeThumbnail(inputFile, person, format, smaller=True)\n ctype = u'image/' + format\n self = person.store.findUnique(cls, cls.person == person, default=None)\n if self is None:\n self = cls(store=person.store, person=person, type=ctype, body=body,\n smallerBody=smallerBody)\n else:\n self.body = body\n self.smallerBody = smallerBody\n self.type = ctype\n return self\n", "role": "user" }, { "content": "fromFile", "role": "assistant" } ]
def x(cls, inputFile, person, format, smaller): dirsegs = ['mugshots', str(person.storeID)] if smaller: dirsegs.insert(1, 'smaller') size = cls.smallerSize else: size = cls.size atomicOutputFile = person.store.newFile(*dirsegs) makeThumbnail(inputFile, atomicOutputFile, size, format) atomicOutputFile.close() return atomicOutputFile.finalpath
makeThumbnail
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, inputFile, person, format, smaller):\n dirsegs = ['mugshots', str(person.storeID)]\n if smaller:\n dirsegs.insert(1, 'smaller')\n size = cls.smallerSize\n else:\n size = cls.size\n atomicOutputFile = person.store.newFile(*dirsegs)\n makeThumbnail(inputFile, atomicOutputFile, size, format)\n atomicOutputFile.close()\n return atomicOutputFile.finalpath\n", "role": "user" }, { "content": "makeThumbnail", "role": "assistant" } ]
def x(cls, person): imageDir = FilePath(__file__).parent().child('static').child('images') return cls(type=u'image/png', body=imageDir.child( 'mugshot-placeholder.png'), smallerBody=imageDir.child( 'mugshot-placeholder-smaller.png'), person=person)
placeholderForPerson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, person):\n imageDir = FilePath(__file__).parent().child('static').child('images')\n return cls(type=u'image/png', body=imageDir.child(\n 'mugshot-placeholder.png'), smallerBody=imageDir.child(\n 'mugshot-placeholder-smaller.png'), person=person)\n", "role": "user" }, { "content": "placeholderForPerson", "role": "assistant" } ]
def x(self, container_builder, container): jinja = container.get('ioc.extra.jinja2') for id in container_builder.get_ids_by_tag('jinja2.filter'): definition = container_builder.get(id) for option in definition.get_tag('jinja2.filter'): if 'name' not in option: break if 'method' not in option: break jinja.filters[option['name']] = getattr(container.get(id), option['method']) for id in container_builder.get_ids_by_tag('jinja2.global'): definition = container_builder.get(id) for option in definition.get_tag('jinja2.global'): if 'name' not in option: break if 'method' not in option: break jinja.globals[option['name']] = getattr(container.get(id), option['method'])
post_build
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, container_builder, container):\n jinja = container.get('ioc.extra.jinja2')\n for id in container_builder.get_ids_by_tag('jinja2.filter'):\n definition = container_builder.get(id)\n for option in definition.get_tag('jinja2.filter'):\n if 'name' not in option:\n break\n if 'method' not in option:\n break\n jinja.filters[option['name']] = getattr(container.get(id),\n option['method'])\n for id in container_builder.get_ids_by_tag('jinja2.global'):\n definition = container_builder.get(id)\n for option in definition.get_tag('jinja2.global'):\n if 'name' not in option:\n break\n if 'method' not in option:\n break\n jinja.globals[option['name']] = getattr(container.get(id),\n option['method'])\n", "role": "user" }, { "content": "post_build", "role": "assistant" } ]
def x(*args, **kwargs): key = '' for arg in args: if callable(arg): key += ':%s' % repr(arg) else: key += ':%s' % str(arg) return key
cache_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n key = ''\n for arg in args:\n if callable(arg):\n key += ':%s' % repr(arg)\n else:\n key += ':%s' % str(arg)\n return key\n", "role": "user" }, { "content": "cache_key", "role": "assistant" } ]
def x(baseurl, filename, format_, token, nonce, cert, method=requests.post): filehash = sha1sum(filename) files = {'filedata': open(filename, 'rb')} payload = {'sha1': filehash, 'filename': os.path.basename(filename), 'token': token, 'nonce': nonce} return method('%s/sign/%s' % (baseurl, format_), files=files, data= payload, verify=cert)
uploadfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(baseurl, filename, format_, token, nonce, cert, method=requests.post):\n filehash = sha1sum(filename)\n files = {'filedata': open(filename, 'rb')}\n payload = {'sha1': filehash, 'filename': os.path.basename(filename),\n 'token': token, 'nonce': nonce}\n return method('%s/sign/%s' % (baseurl, format_), files=files, data=\n payload, verify=cert)\n", "role": "user" }, { "content": "uploadfile", "role": "assistant" } ]