source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, text: str=None, show_alert: bool=None, url: str=None, cache_time: int=0): return self._client.answer_callback_query(callback_query_id=self.id, text=text, show_alert=show_alert, url=url, cache_time=cache_time)
answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, text: str=None, show_alert: bool=None, url: str=None,\n cache_time: int=0):\n return self._client.answer_callback_query(callback_query_id=self.id,\...
def x(self, chat_id: Union[int, str]) ->'pyrogram.Chat': match = self.INVITE_LINK_RE.match(str(chat_id)) if match: h = match.group(1) r = self.send(functions.messages.CheckChatInvite(hash=h)) if isinstance(r, types.ChatInvite): raise ValueError('You haven\'t joined "t.me/joinchat/{}" yet'. format(h)) self.fetch_peers([r.chat]) if isinstance(r.chat, types.Chat): chat_id = -r.chat.id if isinstance(r.chat, types.Channel): chat_id = int('-100' + str(r.chat.id)) peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChannel): r = self.send(functions.channels.GetFullChannel(channel=peer)) elif isinstance(peer, (types.InputPeerUser, types.InputPeerSelf)): r = self.send(functions.users.GetFullUser(id=peer)) else: r = self.send(functions.messages.GetFullChat(chat_id=peer.chat_id)) return pyrogram.Chat._parse_full(self, r)
get_chat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str]) ->'pyrogram.Chat':\n match = self.INVITE_LINK_RE.match(str(chat_id))\n if match:\n h = match.group(1)\n r =...
def x(self, callback_query_id: str, text: str=None, show_alert: bool=None, url: str=None, cache_time: int=0): return self.send(functions.messages.SetBotCallbackAnswer(query_id=int( callback_query_id), cache_time=cache_time, alert=show_alert or None, message=text, url=url))
answer_callback_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback_query_id: str, text: str=None, show_alert: bool=None,\n url: str=None, cache_time: int=0):\n return self.send(functions.messages.SetBotCal...
def x(name: str, func: callable, **kwargs) ->type: d = {'__call__': func} d.update(kwargs) return type(name, (Filter,), d)()
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name: str, func: callable, **kwargs) ->type:\n d = {'__call__': func}\n d.update(kwargs)\n return type(name, (Filter,), d)()\n", "role": "user" ...
def x(commands: (str or list), prefix: (str or list)='/', separator: str= ' ', case_sensitive: bool=False): def x(flt, message): text = message.text or message.caption if text: for p in flt.p: if text.startswith(p): s = text.split(flt.s) c, a = s[0][len(p):], s[1:] c = c if flt.cs else c.lower() message.command = [c] + a if c in flt.c else None break return bool(message.command) commands = commands if type(commands) is list else [commands] commands = {(c if case_sensitive else c.lower()) for c in commands} prefixes = set(prefix) if prefix else {''} return create('Command', func=func, c=commands, p=prefixes, s=separator, cs=case_sensitive)
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commands: (str or list), prefix: (str or list)='/', separator: str=\n ' ', case_sensitive: bool=False):\n\n def x(flt, message):\n text = message....
def x(pattern, flags: int=0): def x(_, m): m.matches = [i for i in _.p.finditer(m.text or m.caption or '')] return bool(m.matches) return create('Regex', f, p=re.compile(pattern, flags))
regex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern, flags: int=0):\n\n def x(_, m):\n m.matches = [i for i in _.p.finditer(m.text or m.caption or '')]\n return bool(m.matches)\n retu...
def x(self, current_password: str, new_password: str, new_hint: str='') ->bool: r = self.send(functions.account.GetPassword()) if not r.has_password: raise ValueError('There is no cloud password to change') r.new_algo.salt1 += os.urandom(32) new_hash = btoi(compute_hash(r.new_algo, new_password)) new_hash = itob(pow(r.new_algo.g, new_hash, btoi(r.new_algo.p))) self.send(functions.account.UpdatePasswordSettings(password= compute_check(r, current_password), new_settings=types.account. PasswordInputSettings(new_algo=r.new_algo, new_password_hash= new_hash, hint=new_hint))) return True
change_cloud_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_password: str, new_password: str, new_hint: str='') ->bool:\n r = self.send(functions.account.GetPassword())\n if not r.has_password:\n ...
def x(self, chat_id: Union[int, str], user_id: Union[int, str] ) ->'pyrogram.ChatMember': chat_id = self.resolve_peer(chat_id) user_id = self.resolve_peer(user_id) if isinstance(chat_id, types.InputPeerChat): full_chat = self.send(functions.messages.GetFullChat(chat_id= chat_id.chat_id)) for member in pyrogram.ChatMembers._parse(self, full_chat ).chat_members: if member.user.is_self: return member else: raise UserNotParticipant elif isinstance(chat_id, types.InputPeerChannel): r = self.send(functions.channels.GetParticipant(channel=chat_id, user_id=user_id)) users = {i.id: i for i in r.users} return pyrogram.ChatMember._parse(self, r.participant, users) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id))
get_chat_member
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], user_id: Union[int, str]\n ) ->'pyrogram.ChatMember':\n chat_id = self.resolve_peer(chat_id)\n user_id = self.resolve_...
def x(self, chat_id: Union[int, str], limit: int=0, query: str='', filter: str=Filters.ALL) ->Generator['pyrogram.ChatMember', None, None]: current = 0 yielded = set() queries = [query] if query else QUERIES total = limit or (1 << 31) - 1 limit = min(200, total) resolved_chat_id = self.resolve_peer(chat_id) filter = Filters.RECENT if self.get_chat_members_count(chat_id ) <= 10000 and filter == Filters.ALL else filter if filter not in QUERYABLE_FILTERS: queries = [''] for q in queries: offset = 0 while True: chat_members = self.get_chat_members(chat_id=chat_id, offset= offset, limit=limit, query=q, filter=filter).chat_members if not chat_members: break if isinstance(resolved_chat_id, types.InputPeerChat): total = len(chat_members) offset += len(chat_members) for chat_member in chat_members: user_id = chat_member.user.id if user_id in yielded: continue yield chat_member yielded.add(chat_member.user.id) current += 1 if current >= total: return
iter_chat_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], limit: int=0, query: str='', filter:\n str=Filters.ALL) ->Generator['pyrogram.ChatMember', None, None]:\n current = 0\n ...
def x(arg, msg): if arg is None: return type(None) if isinstance(arg, str): arg = _ForwardRef(arg) if isinstance(arg, _TypingBase) and type(arg ).__name__ == '_ClassVar' or not isinstance(arg, (type, _TypingBase) ) and not callable(arg): raise TypeError(msg + ' Got %.100r.' % (arg,)) if type(arg).__name__ in ('_Union', '_Optional') and not getattr(arg, '__origin__', None) or isinstance(arg, TypingMeta) and arg._gorg in ( Generic, _Protocol): raise TypeError('Plain %s is not valid as type argument' % arg) return arg
type_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg, msg):\n if arg is None:\n return type(None)\n if isinstance(arg, str):\n arg = _ForwardRef(arg)\n if isinstance(arg, _TypingBase) a...
def x(obj): if isinstance(obj, type) and not isinstance(obj, TypingMeta): if obj.__module__ == 'builtins': return _qualname(obj) return '%s.%s' % (obj.__module__, _qualname(obj)) if obj is ...: return '...' if isinstance(obj, types.FunctionType): return obj.__name__ return repr(obj)
type_repr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if isinstance(obj, type) and not isinstance(obj, TypingMeta):\n if obj.__module__ == 'builtins':\n return _qualname(obj)\n ...
def x(arg, tvars, args): if tvars is None: tvars = [] if hasattr(arg, '_subs_tree') and isinstance(arg, (GenericMeta, _TypingBase)): return arg._subs_tree(tvars, args) if isinstance(arg, TypeVar): for i, tvar in enumerate(tvars): if arg == tvar: return args[i] return arg
replace_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg, tvars, args):\n if tvars is None:\n tvars = []\n if hasattr(arg, '_subs_tree') and isinstance(arg, (GenericMeta,\n _TypingBase)):\n ...
def x(cls, tvars=None, args=None): if cls.__origin__ is None: return cls current = cls.__origin__ orig_chain = [] while current.__origin__ is not None: orig_chain.append(current) current = current.__origin__ tree_args = [] for arg in cls.__args__: tree_args.append(_replace_arg(arg, tvars, args)) for ocls in orig_chain: new_tree_args = [] for arg in ocls.__args__: new_tree_args.append(_replace_arg(arg, ocls.__parameters__, tree_args)) tree_args = new_tree_args return tree_args
subs_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tvars=None, args=None):\n if cls.__origin__ is None:\n return cls\n current = cls.__origin__\n orig_chain = []\n while current.__origin...
def x(parameters): params = [] for p in parameters: if isinstance(p, _Union) and p.__origin__ is Union: params.extend(p.__args__) elif isinstance(p, tuple) and len(p) > 0 and p[0] is Union: params.extend(p[1:]) else: params.append(p) all_params = set(params) if len(all_params) < len(params): new_params = [] for t in params: if t in all_params: new_params.append(t) all_params.remove(t) params = new_params assert not all_params, all_params all_params = set(params) for t1 in params: if not isinstance(t1, type): continue if any(isinstance(t2, type) and issubclass(t1, t2) for t2 in all_params - {t1} if not (isinstance(t2, GenericMeta) and t2. __origin__ is not None)): all_params.remove(t1) return tuple(t for t in params if t in all_params)
remove_dups_flatten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parameters):\n params = []\n for p in parameters:\n if isinstance(p, _Union) and p.__origin__ is Union:\n params.extend(p.__args__)\n ...
def x(func): cached = functools.lru_cache()(func) _cleanups.append(cached.cache_clear) @functools.wraps(func) def x(*args, **kwds): try: return cached(*args, **kwds) except TypeError: pass return func(*args, **kwds) return inner
tp_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n cached = functools.lru_cache()(func)\n _cleanups.append(cached.cache_clear)\n\n @functools.wraps(func)\n def x(*args, **kwds):\n tr...
def x(cls): if isinstance(cls.__extra__, abc.ABCMeta): def x(subclass): res = cls.__extra__.__subclasshook__(subclass) if res is not NotImplemented: return res if cls.__extra__ in subclass.__mro__: return True for scls in cls.__extra__.__subclasses__(): if isinstance(scls, GenericMeta): continue if issubclass(subclass, scls): return True return NotImplemented else: def x(subclass): if cls.__extra__ and issubclass(subclass, cls.__extra__): return True return NotImplemented return __extrahook__
make_subclasshook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if isinstance(cls.__extra__, abc.ABCMeta):\n\n def x(subclass):\n res = cls.__extra__.__subclasshook__(subclass)\n if r...
def x(dct): dict_copy = dict(dct) if '__slots__' in dict_copy: for slot in dict_copy['__slots__']: dict_copy.pop(slot, None) return dict_copy
no_slots_copy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dct):\n dict_copy = dict(dct)\n if '__slots__' in dict_copy:\n for slot in dict_copy['__slots__']:\n dict_copy.pop(slot, None)\n ret...
def x(func): try: code = func.__code__ except AttributeError: return {} pos_count = code.co_argcount arg_names = code.co_varnames arg_names = arg_names[:pos_count] defaults = func.__defaults__ or () kwdefaults = func.__kwdefaults__ res = dict(kwdefaults) if kwdefaults else {} pos_offset = pos_count - len(defaults) for name, value in zip(arg_names[pos_offset:], defaults): assert name not in res res[name] = value return res
get_defaults
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n try:\n code = func.__code__\n except AttributeError:\n return {}\n pos_count = code.co_argcount\n arg_names = code.co_varnam...
def x(obj, globalns=None, localns=None): if getattr(obj, '__no_type_check__', None): return {} if isinstance(obj, type): hints = {} for base in reversed(obj.__mro__): if globalns is None: base_globals = sys.modules[base.__module__].__dict__ else: base_globals = globalns ann = base.__dict__.get('__annotations__', {}) for name, value in ann.items(): if value is None: value = type(None) if isinstance(value, str): value = _ForwardRef(value) value = _eval_type(value, base_globals, localns) hints[name] = value return hints if globalns is None: if isinstance(obj, types.ModuleType): globalns = obj.__dict__ else: globalns = getattr(obj, '__globals__', {}) if localns is None: localns = globalns elif localns is None: localns = globalns hints = getattr(obj, '__annotations__', None) if hints is None: if isinstance(obj, _allowed_types): return {} else: raise TypeError('{!r} is not a module, class, method, or function.' .format(obj)) defaults = _get_defaults(obj) hints = dict(hints) for name, value in hints.items(): if value is None: value = type(None) if isinstance(value, str): value = _ForwardRef(value) value = _eval_type(value, globalns, localns) if name in defaults and defaults[name] is None: value = Optional[value] hints[name] = value return hints
get_type_hints
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, globalns=None, localns=None):\n if getattr(obj, '__no_type_check__', None):\n return {}\n if isinstance(obj, type):\n hints = {}\n ...
def x(arg): if isinstance(arg, type): arg_attrs = arg.__dict__.copy() for attr, val in arg.__dict__.items(): if val in arg.__bases__ + (arg,): arg_attrs.pop(attr) for obj in arg_attrs.values(): if isinstance(obj, types.FunctionType): obj.__no_type_check__ = True if isinstance(obj, type): no_type_check(obj) try: arg.__no_type_check__ = True except TypeError: pass return arg
no_type_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg):\n if isinstance(arg, type):\n arg_attrs = arg.__dict__.copy()\n for attr, val in arg.__dict__.items():\n if val in arg.__base...
def x(decorator): @functools.wraps(decorator) def x(*args, **kwds): func = decorator(*args, **kwds) func = no_type_check(func) return func return wrapped_decorator
no_type_check_decorator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(decorator):\n\n @functools.wraps(decorator)\n def x(*args, **kwds):\n func = decorator(*args, **kwds)\n func = no_type_check(func)\n ...
def x(name, tp): def x(x): return x new_type.__name__ = name new_type.__supertype__ = tp return new_type
NewType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, tp):\n\n def x(x):\n return x\n new_type.__name__ = name\n new_type.__supertype__ = tp\n return new_type\n", "role": "user" }, ...
def x(self, chat_id: Union[int, str], message_ids: Union[int, Iterable[int] ]=None, reply_to_message_ids: Union[int, Iterable[int]]=None, replies: int=1) ->Union['pyrogram.Message', 'pyrogram.Messages']: ids, ids_type = (message_ids, types.InputMessageID) if message_ids else ( reply_to_message_ids, types.InputMessageReplyTo ) if reply_to_message_ids else (None, None) if ids is None: raise ValueError('No argument supplied') peer = self.resolve_peer(chat_id) is_iterable = not isinstance(ids, int) ids = list(ids) if is_iterable else [ids] ids = [ids_type(id=i) for i in ids] if isinstance(peer, types.InputPeerChannel): rpc = functions.channels.GetMessages(channel=peer, id=ids) else: rpc = functions.messages.GetMessages(id=ids) while True: try: r = self.send(rpc) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: break messages = pyrogram.Messages._parse(self, r, replies=replies) return messages if is_iterable else messages.messages[0]
get_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_ids: Union[int, Iterable[int]\n ]=None, reply_to_message_ids: Union[int, Iterable[int]]=None, replies:\n int=1) -...
def x(self, chat_id: Union[int, str], latitude: float, longitude: float, title: str, address: str, foursquare_id: str='', foursquare_type: str= '', disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'pyrogram.Message': r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=types.InputMediaVenue(geo_point=types.InputGeoPoint (lat=latitude, long=longitude), title=title, address=address, provider='', venue_id=foursquare_id, venue_type=foursquare_type), message='', silent=disable_notification or None, reply_to_msg_id= reply_to_message_id, random_id=self.rnd_id(), reply_markup= reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
send_venue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], latitude: float, longitude: float,\n title: str, address: str, foursquare_id: str='', foursquare_type: str=\n '', disable...
def x(self, bot: Union[int, str], query: str, offset: str='', latitude: float=None, longitude: float=None): try: return self.send(functions.messages.GetInlineBotResults(bot=self. resolve_peer(bot), peer=types.InputPeerSelf(), query=query, offset=offset, geo_point=types.InputGeoPoint(lat=latitude, long =longitude) if latitude is not None and longitude is not None else None)) except UnknownError as e: if e.x.error_code == -503 and e.x.error_message == 'Timeout': raise TimeoutError("The inline bot didn't answer in time" ) from None else: raise e
get_inline_bot_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bot: Union[int, str], query: str, offset: str='', latitude:\n float=None, longitude: float=None):\n try:\n return self.send(functions.messag...
def x(self, chat_id: str): match = self.INVITE_LINK_RE.match(chat_id) if match: chat = self.send(functions.messages.ImportChatInvite(hash=match. group(1))) if isinstance(chat.chats[0], types.Chat): return pyrogram.Chat._parse_chat_chat(self, chat.chats[0]) elif isinstance(chat.chats[0], types.Channel): return pyrogram.Chat._parse_channel_chat(self, chat.chats[0]) else: resolved_peer = self.send(functions.contacts.ResolveUsername( username=chat_id.lower().strip('@'))) channel = types.InputPeerChannel(channel_id=resolved_peer.chats[0]. id, access_hash=resolved_peer.chats[0].access_hash) chat = self.send(functions.channels.JoinChannel(channel=channel)) return pyrogram.Chat._parse_channel_chat(self, chat.chats[0])
join_chat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: str):\n match = self.INVITE_LINK_RE.match(chat_id)\n if match:\n chat = self.send(functions.messages.ImportChatInvite(hash=match.\n...
def x(self): while True: try: contacts = self.send(functions.contacts.GetContacts(hash=0)) except FloodWait as e: log.warning('get_contacts flood: waiting {} seconds'.format(e.x)) time.sleep(e.x) else: log.info('Total contacts: {}'.format(len(self.peers_by_phone))) return [pyrogram.User._parse(self, user) for user in contacts.users ]
get_contacts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n try:\n contacts = self.send(functions.contacts.GetContacts(hash=0))\n except FloodWait as e:\n lo...
def x(self, chat_id: Union[int, str], username: Union[str, None]) ->bool: peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChannel): return bool(self.send(functions.channels.UpdateUsername(channel= peer, username=username or ''))) else: raise ValueError('The chat_id "{}" belongs to a user or chat'. format(chat_id))
update_chat_username
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], username: Union[str, None]) ->bool:\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChannel):\n ...
def x(self, chat_id: Union[int, str], game_short_name: str, disable_notification: bool=None, reply_to_message_id: int=None, reply_markup: Union['pyrogram.InlineKeyboardMarkup', 'pyrogram.ReplyKeyboardMarkup', 'pyrogram.ReplyKeyboardRemove', 'pyrogram.ForceReply']=None) ->'pyrogram.Message': r = self.send(functions.messages.SendMedia(peer=self.resolve_peer( chat_id), media=types.InputMediaGame(id=types.InputGameShortName( bot_id=types.InputUserSelf(), short_name=game_short_name)), message ='', silent=disable_notification or None, reply_to_msg_id= reply_to_message_id, random_id=self.rnd_id(), reply_markup= reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateNewMessage, types. UpdateNewChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
send_game
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], game_short_name: str,\n disable_notification: bool=None, reply_to_message_id: int=None,\n reply_markup: Union['pyrogram.I...
def x(self, chat_id: Union[int, str], message_id: int, reply_markup: 'pyrogram.InlineKeyboardMarkup'=None) ->'pyrogram.Message': r = self.send(functions.messages.EditMessage(peer=self.resolve_peer( chat_id), id=message_id, reply_markup=reply_markup.write() if reply_markup else None)) for i in r.updates: if isinstance(i, (types.UpdateEditMessage, types. UpdateEditChannelMessage)): return pyrogram.Message._parse(self, i.message, {i.id: i for i in r.users}, {i.id: i for i in r.chats})
edit_message_reply_markup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], message_id: int, reply_markup:\n 'pyrogram.InlineKeyboardMarkup'=None) ->'pyrogram.Message':\n r = self.send(functions.me...
def x(self, id: Union[str, List[str]]) ->bool: id = id if isinstance(id, list) else [id] input_photos = [] for i in id: s = unpack('<qq', b64decode(i + '=' * (-len(i) % 4), '-_')) input_photos.append(types.InputPhoto(id=s[0], access_hash=s[1], file_reference=b'')) return bool(self.send(functions.photos.DeletePhotos(id=input_photos)))
delete_user_profile_photos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id: Union[str, List[str]]) ->bool:\n id = id if isinstance(id, list) else [id]\n input_photos = []\n for i in id:\n s = unpack('<qq', b64...
def x(self, results: List[InlineQueryResult], cache_time: int=300, is_personal: bool=None, next_offset: str='', switch_pm_text: str='', switch_pm_parameter: str=''): return self._client.answer_inline_query(inline_query_id=self.id, results=results, cache_time=cache_time, is_personal=is_personal, next_offset=next_offset, switch_pm_text=switch_pm_text, switch_pm_parameter=switch_pm_parameter)
answer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, results: List[InlineQueryResult], cache_time: int=300,\n is_personal: bool=None, next_offset: str='', switch_pm_text: str='',\n switch_pm_parameter...
def x(self, chat_id: Union[int, str], photo: str) ->bool: peer = self.resolve_peer(chat_id) if os.path.exists(photo): photo = types.InputChatUploadedPhoto(file=self.save_file(photo)) else: s = unpack('<qq', b64decode(photo + '=' * (-len(photo) % 4), '-_')) photo = types.InputChatPhoto(id=types.InputPhoto(id=s[0], access_hash=s[1], file_reference=b'')) if isinstance(peer, types.InputPeerChat): self.send(functions.messages.EditChatPhoto(chat_id=peer.chat_id, photo=photo)) elif isinstance(peer, types.InputPeerChannel): self.send(functions.channels.EditPhoto(channel=peer, photo=photo)) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id)) return True
set_chat_photo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], photo: str) ->bool:\n peer = self.resolve_peer(chat_id)\n if os.path.exists(photo):\n photo = types.InputChatUploa...
def x(self, chat_id: Union[int, str], offset: int=0, limit: int=200, query: str='', filter: str=Filters.ALL) ->'pyrogram.ChatMembers': peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChat): return pyrogram.ChatMembers._parse(self, self.send(functions. messages.GetFullChat(chat_id=peer.chat_id))) elif isinstance(peer, types.InputPeerChannel): filter = filter.lower() if filter == Filters.ALL: filter = types.ChannelParticipantsSearch(q=query) elif filter == Filters.KICKED: filter = types.ChannelParticipantsKicked(q=query) elif filter == Filters.RESTRICTED: filter = types.ChannelParticipantsBanned(q=query) elif filter == Filters.BOTS: filter = types.ChannelParticipantsBots() elif filter == Filters.RECENT: filter = types.ChannelParticipantsRecent() elif filter == Filters.ADMINISTRATORS: filter = types.ChannelParticipantsAdmins() else: raise ValueError('Invalid filter "{}"'.format(filter)) while True: try: return pyrogram.ChatMembers._parse(self, self.send( functions.channels.GetParticipants(channel=peer, filter =filter, offset=offset, limit=limit, hash=0))) except FloodWait as e: log.warning('Sleeping for {}s'.format(e.x)) time.sleep(e.x) else: raise ValueError('The chat_id "{}" belongs to a user'.format(chat_id))
get_chat_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], offset: int=0, limit: int=200, query:\n str='', filter: str=Filters.ALL) ->'pyrogram.ChatMembers':\n peer = self.resolve_...
def x(self, chat_id: Union[int, str], delete: bool=False): peer = self.resolve_peer(chat_id) if isinstance(peer, types.InputPeerChannel): return self.send(functions.channels.LeaveChannel(channel=self. resolve_peer(chat_id))) elif isinstance(peer, types.InputPeerChat): r = self.send(functions.messages.DeleteChatUser(chat_id=peer. chat_id, user_id=types.InputPeerSelf())) if delete: self.send(functions.messages.DeleteHistory(peer=peer, max_id=0)) return r
leave_chat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, chat_id: Union[int, str], delete: bool=False):\n peer = self.resolve_peer(chat_id)\n if isinstance(peer, types.InputPeerChannel):\n return s...
def x(n, iterable, padvalue=None): return zip_longest(*([iter(iterable)] * n), fillvalue=padvalue)
grouper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, iterable, padvalue=None):\n return zip_longest(*([iter(iterable)] * n), fillvalue=padvalue)\n", "role": "user" }, { "content": "grouper", ...
def x(self, path_length, alpha=0, rand=random.Random(), start=None): G = self if start: path = [start] else: path = [rand.choice(list(G.keys()))] while len(path) < path_length: cur = path[-1] if len(G[cur]) > 0: if rand.random() >= alpha: path.append(rand.choice(G[cur])) else: path.append(path[0]) else: break return [str(node) for node in path]
random_walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path_length, alpha=0, rand=random.Random(), start=None):\n G = self\n if start:\n path = [start]\n else:\n path = [rand.choice(lis...
def x(file): c = Counter() with open(file, 'r') as f: for l in f: words = l.strip().split() c.update(words) return c
count_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file):\n c = Counter()\n with open(file, 'r') as f:\n for l in f:\n words = l.strip().split()\n c.update(words)\n return ...
def x(d_graph, global_walk_length, num_walks, cpu_num, sampling_strategy= None, num_walks_key=None, walk_length_key=None, neighbors_key=None, probabilities_key=None, first_travel_key=None, quiet=False): walks = list() if not quiet: pbar = tqdm(total=num_walks, desc='Generating walks (CPU: {})'. format(cpu_num)) for n_walk in range(num_walks): if not quiet: pbar.update(1) shuffled_nodes = list(d_graph.keys()) random.shuffle(shuffled_nodes) for source in shuffled_nodes: if (source in sampling_strategy and num_walks_key in sampling_strategy[source] and sampling_strategy[source][ num_walks_key] <= n_walk): continue walk = [source] if source in sampling_strategy: walk_length = sampling_strategy[source].get(walk_length_key, global_walk_length) else: walk_length = global_walk_length while len(walk) < walk_length: walk_options = d_graph[walk[-1]].get(neighbors_key, None) if not walk_options: break if len(walk) == 1: probabilities = d_graph[walk[-1]][first_travel_key] walk_to = np.random.choice(walk_options, size=1, p= probabilities)[0] else: probabilities = d_graph[walk[-1]][probabilities_key][walk [-2]] walk_to = np.random.choice(walk_options, size=1, p= probabilities)[0] walk.append(walk_to) walk = list(map(str, walk)) walks.append(walk) if not quiet: pbar.close() return walks
parallel_generate_walks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d_graph, global_walk_length, num_walks, cpu_num, sampling_strategy=\n None, num_walks_key=None, walk_length_key=None, neighbors_key=None,\n probabilities...
def x(self): edge_generator = combinations_with_replacement(self.kv.index2word, r=2) if not self.quiet: vocab_size = len(self.kv.vocab) total_size = reduce(lambda x, y: x * y, range(1, vocab_size + 2)) / ( 2 * reduce(lambda x, y: x * y, range(1, vocab_size))) edge_generator = tqdm(edge_generator, desc= 'Generating edge features', total=total_size) tokens = [] features = [] for edge in edge_generator: token = str(tuple(sorted(edge))) embedding = self._embed(edge) tokens.append(token) features.append(embedding) edge_kv = KeyedVectors(vector_size=self.kv.vector_size) edge_kv.add(entities=tokens, weights=features) return edge_kv
as_keyed_vectors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n edge_generator = combinations_with_replacement(self.kv.index2word, r=2)\n if not self.quiet:\n vocab_size = len(self.kv.vocab)\n t...
def x(self): d_graph = self.d_graph first_travel_done = set() nodes_generator = self.graph.nodes() if self.quiet else tqdm(self.graph .nodes(), desc='Computing transition probabilities') for source in nodes_generator: if self.PROBABILITIES_KEY not in d_graph[source]: d_graph[source][self.PROBABILITIES_KEY] = dict() for current_node in self.graph.neighbors(source): if self.PROBABILITIES_KEY not in d_graph[current_node]: d_graph[current_node][self.PROBABILITIES_KEY] = dict() unnormalized_weights = list() first_travel_weights = list() d_neighbors = list() for destination in self.graph.neighbors(current_node): p = self.sampling_strategy[current_node].get(self.P_KEY, self.p ) if current_node in self.sampling_strategy else self.p q = self.sampling_strategy[current_node].get(self.Q_KEY, self.q ) if current_node in self.sampling_strategy else self.q if destination == source: ss_weight = self.graph[current_node][destination].get(self .weight_key, 1) * 1 / p elif destination in self.graph[source]: ss_weight = self.graph[current_node][destination].get(self .weight_key, 1) else: ss_weight = self.graph[current_node][destination].get(self .weight_key, 1) * 1 / q unnormalized_weights.append(ss_weight) if current_node not in first_travel_done: first_travel_weights.append(self.graph[current_node][ destination].get(self.weight_key, 1)) d_neighbors.append(destination) unnormalized_weights = np.array(unnormalized_weights) d_graph[current_node][self.PROBABILITIES_KEY][source ] = unnormalized_weights / unnormalized_weights.sum() if current_node not in first_travel_done: unnormalized_weights = np.array(first_travel_weights) d_graph[current_node][self.FIRST_TRAVEL_KEY ] = unnormalized_weights / unnormalized_weights.sum() first_travel_done.add(current_node) d_graph[current_node][self.NEIGHBORS_KEY] = d_neighbors
precompute_probabilities
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n d_graph = self.d_graph\n first_travel_done = set()\n nodes_generator = self.graph.nodes() if self.quiet else tqdm(self.graph\n .nodes(...
def x(self): flatten = lambda l: [item for sublist in l for item in sublist] num_walks_lists = np.array_split(range(self.num_walks), self.workers) walk_results = Parallel(n_jobs=self.workers, temp_folder=self. temp_folder, require=self.require)(delayed(parallel_generate_walks) (self.d_graph, self.walk_length, len(num_walks), idx, self. sampling_strategy, self.NUM_WALKS_KEY, self.WALK_LENGTH_KEY, self. NEIGHBORS_KEY, self.PROBABILITIES_KEY, self.FIRST_TRAVEL_KEY, self. quiet) for idx, num_walks in enumerate(num_walks_lists, 1)) walks = flatten(walk_results) return walks
generate_walks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n flatten = lambda l: [item for sublist in l for item in sublist]\n num_walks_lists = np.array_split(range(self.num_walks), self.workers)\n wal...
def x(self, **skip_gram_params): if 'workers' not in skip_gram_params: skip_gram_params['workers'] = self.workers if 'size' not in skip_gram_params: skip_gram_params['size'] = self.dimensions return gensim.models.Word2Vec(self.walks, **skip_gram_params)
fit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **skip_gram_params):\n if 'workers' not in skip_gram_params:\n skip_gram_params['workers'] = self.workers\n if 'size' not in skip_gram_param...
def x(twitter_user): user_info = query_user_info(user=twitter_user) twitter_user_data = {} twitter_user_data['user'] = user_info.user twitter_user_data['fullname'] = user_info.full_name twitter_user_data['location'] = user_info.location twitter_user_data['blog'] = user_info.blog twitter_user_data['date_joined'] = user_info.date_joined twitter_user_data['id'] = user_info.id twitter_user_data['num_tweets'] = user_info.tweets twitter_user_data['following'] = user_info.following twitter_user_data['followers'] = user_info.followers twitter_user_data['likes'] = user_info.likes twitter_user_data['lists'] = user_info.lists return twitter_user_data
get_user_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(twitter_user):\n user_info = query_user_info(user=twitter_user)\n twitter_user_data = {}\n twitter_user_data['user'] = user_info.user\n twitter_use...
def x(query, lang, pos, retry=50, from_user=False): url = get_query_url(query, lang, pos, from_user) try: response = requests.get(url, headers=HEADER) if pos is None: html = response.text or '' json_resp = None else: html = '' try: json_resp = json.loads(response.text) html = json_resp['items_html'] or '' except ValueError as e: logger.exception( 'Failed to parse JSON "{}" while requesting "{}"'. format(e, url)) tweets = list(Tweet.from_html(html)) if not tweets: if json_resp: pos = json_resp['min_position'] else: pos = None if retry > 0: return query_single_page(query, lang, pos, retry - 1, from_user ) else: return [], pos if json_resp: return tweets, urllib.parse.quote(json_resp['min_position']) if from_user: return tweets, tweets[-1].id return tweets, 'TWEET-{}-{}'.format(tweets[-1].id, tweets[0].id) except requests.exceptions.HTTPError as e: logger.exception('HTTPError {} while requesting "{}"'.format(e, url)) except requests.exceptions.ConnectionError as e: logger.exception('ConnectionError {} while requesting "{}"'.format( e, url)) except requests.exceptions.Timeout as e: logger.exception('TimeOut {} while requesting "{}"'.format(e, url)) except json.decoder.JSONDecodeError as e: logger.exception('Failed to parse JSON "{}" while requesting "{}".' .format(e, url)) if retry > 0: logger.info('Retrying... (Attempts left: {})'.format(retry)) return query_single_page(query, lang, pos, retry - 1) logger.error('Giving up.') return [], None
query_single_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, lang, pos, retry=50, from_user=False):\n url = get_query_url(query, lang, pos, from_user)\n try:\n response = requests.get(url, headers=HEA...
def x(query, limit=None, lang='', pos=None): logger.info('Querying {}'.format(query)) query = query.replace(' ', '%20').replace('#', '%23').replace(':', '%3A') num_tweets = 0 try: while True: new_tweets, new_pos = query_single_page(query, lang, pos) if len(new_tweets) == 0: logger.info('Got {} tweets for {}.'.format(num_tweets, query)) return for t in new_tweets: yield t, pos pos = new_pos num_tweets += len(new_tweets) if limit and num_tweets >= limit: logger.info('Got {} tweets for {}.'.format(num_tweets, query)) return except KeyboardInterrupt: logger.info( 'Program interrupted by user. Returning tweets gathered so far...') except BaseException: logger.exception( 'An unknown error occurred! Returning tweets gathered so far.') logger.info('Got {} tweets for {}.'.format(num_tweets, query))
query_tweets_once_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, limit=None, lang='', pos=None):\n logger.info('Querying {}'.format(query))\n query = query.replace(' ', '%20').replace('#', '%23').replace(':', '%...
def x(url, retry=10): try: response = requests.get(url, headers=HEADER) html = response.text or '' user = User() user_info = user.from_html(html) if not user_info: return None return user_info except requests.exceptions.HTTPError as e: logger.exception('HTTPError {} while requesting "{}"'.format(e, url)) except requests.exceptions.ConnectionError as e: logger.exception('ConnectionError {} while requesting "{}"'.format( e, url)) except requests.exceptions.Timeout as e: logger.exception('TimeOut {} while requesting "{}"'.format(e, url)) if retry > 0: logger.info('Retrying... (Attempts left: {})'.format(retry)) return query_user_page(url, retry - 1) logger.error('Giving up.') return None
query_user_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, retry=10):\n try:\n response = requests.get(url, headers=HEADER)\n html = response.text or ''\n user = User()\n user_info =...
def x(user): try: user_info = query_user_page(INIT_URL_USER.format(u=user)) if user_info: logger.info(f'Got user information from username {user}') return user_info except KeyboardInterrupt: logger.info( 'Program interrupted by user. Returning user information gathered so far...' ) except BaseException: logger.exception( 'An unknown error occurred! Returning user information gathered so far...' ) logger.info(f'Got user information from username {user}') return user_info
query_user_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user):\n try:\n user_info = query_user_page(INIT_URL_USER.format(u=user))\n if user_info:\n logger.info(f'Got user information from...
def x(self, tag_prof_header, tag_prof_nav): self.user = tag_prof_header.find('a', {'class': 'ProfileHeaderCard-nameLink u-textInheritColor js-nav'})['href'].strip( '/') self.full_name = tag_prof_header.find('a', {'class': 'ProfileHeaderCard-nameLink u-textInheritColor js-nav'}).text location = tag_prof_header.find('span', {'class': 'ProfileHeaderCard-locationText u-dir'}) if location is None: self.location = 'None' else: self.location = location.text.strip() blog = tag_prof_header.find('span', {'class': 'ProfileHeaderCard-urlText u-dir'}) if blog is None: blog = 'None' else: self.blog = blog.text.strip() date_joined = tag_prof_header.find('div', {'class': 'ProfileHeaderCard-joinDate'}).find('span', {'class': 'ProfileHeaderCard-joinDateText js-tooltip u-dir'})['title'] if date_joined is None: self.data_joined = 'Unknown' else: self.date_joined = date_joined.strip() self.id = tag_prof_nav.find('div', {'class': 'ProfileNav'})['data-user-id'] tweets = tag_prof_nav.find('span', {'class': 'ProfileNav-value'})[ 'data-count'] if tweets is None: self.tweets = 0 else: self.tweets = int(tweets) following = tag_prof_nav.find('li', {'class': 'ProfileNav-item ProfileNav-item--following'}).find('span', { 'class': 'ProfileNav-value'})['data-count'] if following is None: following = 0 else: self.following = int(following) followers = tag_prof_nav.find('li', {'class': 'ProfileNav-item ProfileNav-item--followers'}).find('span', { 'class': 'ProfileNav-value'})['data-count'] if followers is None: self.followers = 0 else: self.followers = int(followers) likes = tag_prof_nav.find('li', {'class': 'ProfileNav-item ProfileNav-item--favorites'}).find('span', { 'class': 'ProfileNav-value'})['data-count'] if likes is None: self.likes = 0 else: self.likes = int(likes) lists = tag_prof_nav.find('li', {'class': 'ProfileNav-item ProfileNav-item--lists'}) if lists is None: self.lists = 0 elif lists.find('span', {'class': 'ProfileNav-value'}) is None: self.lists = 0 else: lists = lists.find('span', {'class': 'ProfileNav-value'}).text self.lists = int(lists) return self
from_soup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag_prof_header, tag_prof_nav):\n self.user = tag_prof_header.find('a', {'class':\n 'ProfileHeaderCard-nameLink u-textInheritColor js-nav'})['h...
def x(self, link_f, y, Y_metadata=None): return np.exp(self.logpdf_link(link_f, y, Y_metadata=Y_metadata))
pdf_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n return np.exp(self.logpdf_link(link_f, y, Y_metadata=Y_metadata))\n", "role": "user" }, { "content": "pdf_l...
def x(self, link_f, y, Y_metadata=None): assert np.atleast_1d(link_f).shape == np.atleast_1d(y).shape c = np.zeros_like(y) if Y_metadata is not None and 'censored' in Y_metadata.keys(): c = Y_metadata['censored'] uncensored = (1 - c) * (-0.5 * np.log(2 * np.pi * self.variance) - np. log(y) - (np.log(y) - link_f) ** 2 / (2 * self.variance)) censored = c * np.log(1 - stats.norm.cdf((np.log(y) - link_f) / np.sqrt (self.variance))) logpdf = uncensored + censored return logpdf
logpdf_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n assert np.atleast_1d(link_f).shape == np.atleast_1d(y).shape\n c = np.zeros_like(y)\n if Y_metadata is not None a...
def x(self, link_f, y, Y_metadata=None): assert np.atleast_1d(link_f).shape == np.atleast_1d(y).shape c = np.zeros_like(y) if Y_metadata is not None and 'censored' in Y_metadata.keys(): c = Y_metadata['censored'] val = np.log(y) - link_f val_scaled = val / np.sqrt(self.variance) val_scaled2 = val / self.variance uncensored = (1 - c) * val_scaled2 a = 1 - stats.norm.cdf(val_scaled) censored = c * (1.0 / a) * (np.exp(-1.0 * val ** 2 / (2 * self.variance )) / np.sqrt(2 * np.pi * self.variance)) gradient = uncensored + censored return gradient
dlogpdf_dlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n assert np.atleast_1d(link_f).shape == np.atleast_1d(y).shape\n c = np.zeros_like(y)\n if Y_metadata is not None a...
def x(self, link_f, y, Y_metadata=None): c = np.zeros_like(y) if Y_metadata is not None and 'censored' in Y_metadata.keys(): c = Y_metadata['censored'] val = np.log(y) - link_f val_scaled = val / np.sqrt(self.variance) val_scaled2 = val / self.variance a = 1 - stats.norm.cdf(val_scaled) uncensored = 0 censored = c * (2 * np.exp(-3 * val ** 2 / (2 * self.variance)) / (a ** 3 * (2 * np.pi * self.variance) ** (3 / 2.0)) - val * np.exp(-val ** 2 / self.variance) / (a ** 2 * np.pi * self.variance ** 2) - val * np.exp(-val ** 2 / self.variance) / (a ** 2 * 2 * np.pi * self. variance ** 2) - np.exp(-val ** 2 / (2 * self.variance)) / (a * self.variance ** 1.5 * np.sqrt(2 * np.pi)) + val ** 2 * np.exp(-val ** 2 / (2 * self.variance)) / (a * np.sqrt(2 * np.pi * self.variance) * self.variance ** 2)) d3pdf_dlink3 = uncensored + censored return d3pdf_dlink3
d3logpdf_dlink3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n c = np.zeros_like(y)\n if Y_metadata is not None and 'censored' in Y_metadata.keys():\n c = Y_metadata['censo...
def x(self, link_f, y, Y_metadata=None): c = np.zeros_like(y) if Y_metadata is not None and 'censored' in Y_metadata.keys(): c = Y_metadata['censored'] val = np.log(y) - link_f val_scaled = val / np.sqrt(self.variance) val_scaled2 = val / self.variance a = 1 - stats.norm.cdf(val_scaled) uncensored = (1 - c) * (-val / self.variance ** 2) censored = c * (-val * np.exp(-val ** 2 / self.variance) / (4 * np.pi * self.variance ** 2 * a ** 2) + (-1 + val ** 2 / self.variance) * np .exp(-val ** 2 / (2 * self.variance)) / (a * (np.sqrt(2.0 * np.pi) * 2 * self.variance ** 1.5))) dlik_grad_dsigma = uncensored + censored return dlik_grad_dsigma
dlogpdf_dlink_dvar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n c = np.zeros_like(y)\n if Y_metadata is not None and 'censored' in Y_metadata.keys():\n c = Y_metadata['censo...
def x(self, link_f, y, Y_metadata=None): c = np.zeros_like(y) if Y_metadata is not None and 'censored' in Y_metadata.keys(): c = Y_metadata['censored'] val = np.log(y) - link_f val_scaled = val / np.sqrt(self.variance) val_scaled2 = val / self.variance a = 1 - stats.norm.cdf(val_scaled) uncensored = (1 - c) * (1.0 / self.variance ** 2) censored = c * (val * np.exp(-3 * val ** 2 / (2 * self.variance)) / (a ** 3 * np.sqrt(8 * np.pi ** 3) * self.variance ** (5 / 2.0)) + np.exp( -val ** 2 / self.variance) / (a ** 2 * 4 * np.pi * self.variance ** 2) - np.exp(-val ** 2 / self.variance) * val ** 2 / (a ** 2 * 2 * np.pi * self.variance ** 3) + np.exp(-val ** 2 / self.variance) / ( a ** 2 * 4 * np.pi * self.variance ** 2) - np.exp(-val ** 2 / (2 * self.variance)) * val / (a * np.sqrt(2 * np.pi) * 2 * self.variance ** (5 / 2.0)) - np.exp(-val ** 2 / self.variance) * val ** 2 / (a ** 2 * 4 * np.pi * self.variance ** 3) - np.exp(-val ** 2 / (2 * self. variance)) * val / (a * np.sqrt(2 * np.pi) * self.variance ** (5 / 2.0)) + np.exp(-val ** 2 / (2 * self.variance)) * val ** 3 / (a * np.sqrt(2 * np.pi) * 2 * self.variance ** (7 / 2.0))) dlik_hess_dsigma = uncensored + censored return dlik_hess_dsigma
d2logpdf_dlink2_dvar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, link_f, y, Y_metadata=None):\n c = np.zeros_like(y)\n if Y_metadata is not None and 'censored' in Y_metadata.keys():\n c = Y_metadata['censo...
def x(self, gp, Y_metadata=None): orig_shape = gp.shape gp = gp.flatten()
samples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gp, Y_metadata=None):\n orig_shape = gp.shape\n gp = gp.flatten()\n", "role": "user" }, { "content": "samples", "role": "assistant"...
def x(self, Y): Y_prep = Y.copy() Y1 = Y[Y.flatten() == 1].size Y2 = Y[Y.flatten() == 0].size assert Y1 + Y2 == Y.size, 'Bernoulli likelihood is meant to be used only with outputs in {0, 1}.' Y_prep[Y.flatten() == 0] = -1 return Y_prep
preprocess_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Y):\n Y_prep = Y.copy()\n Y1 = Y[Y.flatten() == 1].size\n Y2 = Y[Y.flatten() == 0].size\n assert Y1 + Y2 == Y.size, 'Bernoulli likelihood is ...
def x(self, Y_i, tau_i, v_i, Y_metadata_i=None): if Y_i == 1: sign = 1.0 elif Y_i == 0 or Y_i == -1: sign = -1 else: raise ValueError('bad value for Bernoulli observation (0, 1)') if isinstance(self.gp_link, link_functions.Probit): z = sign * v_i / np.sqrt(tau_i ** 2 + tau_i) phi_div_Phi = derivLogCdfNormal(z) log_Z_hat = logCdfNormal(z) mu_hat = v_i / tau_i + sign * phi_div_Phi / np.sqrt(tau_i ** 2 + tau_i) sigma2_hat = 1.0 / tau_i - phi_div_Phi / (tau_i ** 2 + tau_i) * (z + phi_div_Phi) elif isinstance(self.gp_link, link_functions.Heaviside): z = sign * v_i / np.sqrt(tau_i) phi_div_Phi = derivLogCdfNormal(z) log_Z_hat = logCdfNormal(z) mu_hat = v_i / tau_i + sign * phi_div_Phi / np.sqrt(tau_i) sigma2_hat = (1.0 - a * phi_div_Phi - np.square(phi_div_Phi)) / tau_i else: raise ValueError('Exact moment matching not available for link {}'. format(self.gp_link.__name__)) return np.exp(log_Z_hat), mu_hat, sigma2_hat
moments_match_ep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Y_i, tau_i, v_i, Y_metadata_i=None):\n if Y_i == 1:\n sign = 1.0\n elif Y_i == 0 or Y_i == -1:\n sign = -1\n else:\n raise ...
def x(self, inv_link_f, y, Y_metadata=None): return np.where(y == 1, inv_link_f, 1.0 - inv_link_f)
pdf_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inv_link_f, y, Y_metadata=None):\n return np.where(y == 1, inv_link_f, 1.0 - inv_link_f)\n", "role": "user" }, { "content": "pdf_link", ...
def x(self, inv_link_f, y, Y_metadata=None): p = np.where(y == 1, inv_link_f, 1.0 - inv_link_f) return np.log(np.clip(p, 1e-09, np.inf))
logpdf_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inv_link_f, y, Y_metadata=None):\n p = np.where(y == 1, inv_link_f, 1.0 - inv_link_f)\n return np.log(np.clip(p, 1e-09, np.inf))\n", "role": "u...
def x(self, inv_link_f, y, Y_metadata=None): ff = np.clip(inv_link_f, 1e-09, 1 - 1e-09) denom = np.where(y == 1, ff, -(1 - ff)) return 1.0 / denom
dlogpdf_dlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inv_link_f, y, Y_metadata=None):\n ff = np.clip(inv_link_f, 1e-09, 1 - 1e-09)\n denom = np.where(y == 1, ff, -(1 - ff))\n return 1.0 / denom\n",...
def x(self, inv_link_f, y, Y_metadata=None): arg = np.where(y == 1, inv_link_f, 1.0 - inv_link_f) ret = -1.0 / np.square(np.clip(arg, 1e-09, 1000000000.0)) if np.any(np.isinf(ret)): stop return ret
d2logpdf_dlink2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inv_link_f, y, Y_metadata=None):\n arg = np.where(y == 1, inv_link_f, 1.0 - inv_link_f)\n ret = -1.0 / np.square(np.clip(arg, 1e-09, 1000000000.0))...
def x(self, inv_link_f, y, Y_metadata=None): assert np.atleast_1d(inv_link_f).shape == np.atleast_1d(y).shape state = np.seterr(divide='ignore') d3logpdf_dlink3 = np.where(y == 1, 2.0 / inv_link_f ** 3, -2.0 / (1.0 - inv_link_f) ** 3) np.seterr(**state) return d3logpdf_dlink3
d3logpdf_dlink3
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, inv_link_f, y, Y_metadata=None):\n assert np.atleast_1d(inv_link_f).shape == np.atleast_1d(y).shape\n state = np.seterr(divide='ignore')\n d3log...
def x(self, mu, var, quantiles, Y_metadata=None): p = self.predictive_mean(mu, var) return [np.asarray(p > q / 100.0, dtype=np.int32) for q in quantiles]
predictive_quantiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mu, var, quantiles, Y_metadata=None):\n p = self.predictive_mean(mu, var)\n return [np.asarray(p > q / 100.0, dtype=np.int32) for q in quantiles]\n...
def x(self, gp, Y_metadata=None): orig_shape = gp.shape gp = gp.flatten() ns = np.ones_like(gp, dtype=int) Ysim = np.random.binomial(ns, self.gp_link.transf(gp)) return Ysim.reshape(orig_shape)
samples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gp, Y_metadata=None):\n orig_shape = gp.shape\n gp = gp.flatten()\n ns = np.ones_like(gp, dtype=int)\n Ysim = np.random.binomial(ns, self.gp_...
def x(N, M, xlim=None, ylim=None): if xlim is None: xlim = [np.inf, -np.inf] for i in range(N * M): plt.subplot(N, M, i + 1) xlim[0] = min(xlim[0], plt.xlim()[0]) xlim[1] = max(xlim[1], plt.xlim()[1]) if ylim is None: ylim = [np.inf, -np.inf] for i in range(N * M): plt.subplot(N, M, i + 1) ylim[0] = min(ylim[0], plt.ylim()[0]) ylim[1] = max(ylim[1], plt.ylim()[1]) for i in range(N * M): plt.subplot(N, M, i + 1) plt.xlim(xlim) plt.ylim(ylim) if i % M: plt.yticks([]) else: removeRightTicks() if i < M * (N - 1): plt.xticks([]) else: removeUpperTicks()
align_subplots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(N, M, xlim=None, ylim=None):\n if xlim is None:\n xlim = [np.inf, -np.inf]\n for i in range(N * M):\n plt.subplot(N, M, i + 1)\n ...
def x(axes, xlim=None, ylim=None): if xlim is None: xlim = [np.inf, -np.inf] for ax in axes.flatten(): xlim[0] = min(xlim[0], ax.get_xlim()[0]) xlim[1] = max(xlim[1], ax.get_xlim()[1]) if ylim is None: ylim = [np.inf, -np.inf] for ax in axes.flatten(): ylim[0] = min(ylim[0], ax.get_ylim()[0]) ylim[1] = max(ylim[1], ax.get_ylim()[1]) N, M = axes.shape for i, ax in enumerate(axes.flatten()): ax.set_xlim(xlim) ax.set_ylim(ylim) if i % M: ax.set_yticks([]) else: removeRightTicks(ax) if i < M * (N - 1): ax.set_xticks([]) else: removeUpperTicks(ax)
align_subplot_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(axes, xlim=None, ylim=None):\n if xlim is None:\n xlim = [np.inf, -np.inf]\n for ax in axes.flatten():\n xlim[0] = min(xlim[0], ax....
def x(X, plot_limits=None, resolution=None): assert X.shape[1] == 2, 'x_frame2D is defined for two-dimensional inputs' if plot_limits is None: xmin, xmax = X.min(0), X.max(0) xmin, xmax = xmin - 0.2 * (xmax - xmin), xmax + 0.2 * (xmax - xmin) elif len(plot_limits) == 2: xmin, xmax = plot_limits else: raise ValueError('Bad limits for plotting') resolution = resolution or 50 xx, yy = np.mgrid[xmin[0]:xmax[0]:1.0j * resolution, xmin[1]:xmax[1]: 1.0j * resolution] Xnew = np.vstack((xx.flatten(), yy.flatten())).T return Xnew, xx, yy, xmin, xmax
x_frame2D
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, plot_limits=None, resolution=None):\n assert X.shape[1] == 2, 'x_frame2D is defined for two-dimensional inputs'\n if plot_limits is None:\n xmi...
def x(E, V): a = np.square(E) / V b = E / V return Gamma(a, b)
from_EV
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(E, V):\n a = np.square(E) / V\n b = E / V\n return Gamma(a, b)\n", "role": "user" }, { "content": "from_EV", "role": "assistant" } ]
def x(self, gp, Y_metadata): N1, N2 = gp.shape Ysim = np.zeros((N1, N2)) ind = Y_metadata['output_index'].flatten() for j in np.unique(ind): flt = ind == j gp_filtered = gp[flt, :] n1 = gp_filtered.shape[0] lik = self.likelihoods_list[j] _ysim = np.array([np.random.normal(lik.gp_link.transf(gpj), scale= np.sqrt(lik.variance), size=1) for gpj in gp_filtered.flatten()]) Ysim[flt, :] = _ysim.reshape(n1, N2) return Ysim
samples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, gp, Y_metadata):\n N1, N2 = gp.shape\n Ysim = np.zeros((N1, N2))\n ind = Y_metadata['output_index'].flatten()\n for j in np.unique(ind):\n ...
def x(variance, Z, variational_posterior, return_psi2_n=False): mu = variational_posterior.mean S = variational_posterior.variance psi0 = (variance * (np.square(mu) + S)).sum(axis=1) Zv = variance * Z psi1 = np.dot(mu, Zv.T) if return_psi2_n: psi2 = psi1[:, :, None] * psi1[:, None, :] + np.dot(S[:, None, :] * Zv[None, :, :], Zv.T) else: psi2 = np.dot(S.sum(axis=0) * Zv, Zv.T) + tdot(psi1.T) return psi0, psi1, psi2
psicomputations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(variance, Z, variational_posterior, return_psi2_n=False):\n mu = variational_posterior.mean\n S = variational_posterior.variance\n psi0 = (variance * ...
def x(dL_dpsi2, variance, Z, mu, S): variance2 = np.square(variance) common_sum = np.dot(mu, (variance * Z).T) if len(dL_dpsi2.shape) == 2: Z_expect = (np.dot(dL_dpsi2, Z) * Z).sum(axis=0) dL_dpsi2T = dL_dpsi2 + dL_dpsi2.T common_expect = np.dot(common_sum, np.dot(dL_dpsi2T, Z)) Z2_expect = np.inner(common_sum, dL_dpsi2T) Z1_expect = np.dot(dL_dpsi2T, Z) dL_dvar = 2.0 * S.sum(axis=0) * variance * Z_expect + (common_expect * mu).sum(axis=0) dL_dmu = common_expect * variance dL_dS = np.empty(S.shape) dL_dS[:] = Z_expect * variance2 dL_dZ = variance2 * S.sum(axis=0) * Z1_expect + np.dot(Z2_expect.T, variance * mu) else: N, M, Q = mu.shape[0], Z.shape[0], mu.shape[1] dL_dpsi2_ = dL_dpsi2.sum(axis=0) Z_expect = (np.dot(dL_dpsi2.reshape(N * M, M), Z).reshape(N, M, Q) * Z[None, :, :]).sum(axis=1) dL_dpsi2T = dL_dpsi2_ + dL_dpsi2_.T dL_dpsi2T_ = dL_dpsi2 + np.swapaxes(dL_dpsi2, 1, 2) common_expect = np.dot(common_sum, np.dot(dL_dpsi2T, Z)) common_expect_ = (common_sum[:, :, None] * np.dot(dL_dpsi2T_. reshape(N * M, M), Z).reshape(N, M, Q)).sum(axis=1) Z2_expect = (common_sum[:, :, None] * dL_dpsi2T_).sum(axis=1) Z1_expect = np.dot(dL_dpsi2T_.reshape(N * M, M), Z).reshape(N, M, Q) dL_dvar = 2.0 * variance * (S * Z_expect).sum(axis=0) + (common_expect_ * mu).sum(axis=0) dL_dmu = common_expect_ * variance dL_dS = np.empty(S.shape) dL_dS[:] = variance2 * Z_expect dL_dZ = variance2 * (S[:, None, :] * Z1_expect).sum(axis=0) + np.dot( Z2_expect.T, variance * mu) return dL_dvar, dL_dmu, dL_dS, dL_dZ
psi2computations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dL_dpsi2, variance, Z, mu, S):\n variance2 = np.square(variance)\n common_sum = np.dot(mu, (variance * Z).T)\n if len(dL_dpsi2.shape) == 2:\n Z...
def x(self, X): K_ff = np.zeros(X.shape[0]) for i, x in enumerate(X): K_ff[i] = self.k_ff(x[0], x[0], self.lengthscale[0]) return K_ff * self.variances[0]
Kdiag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n K_ff = np.zeros(X.shape[0])\n for i, x in enumerate(X):\n K_ff[i] = self.k_ff(x[0], x[0], self.lengthscale[0])\n return K_ff * self...
def x(self, X): return np.c_[np.ones((X.shape[0], 1)), X]
concatenate_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n return np.c_[np.ones((X.shape[0], 1)), X]\n", "role": "user" }, { "content": "concatenate_offset", "role": "assistant" } ]
def x(self, X=None, posterior=None): if X is None: try: X = self._highest_parent_.X except NameError: raise RuntimeError( 'This kernel is not part of a model and cannot be used for posterior inference' ) if posterior is None: try: posterior = self._highest_parent_.posterior except NameError: raise RuntimeError( 'This kernel is not part of a model and cannot be used for posterior inference' ) phi_alpha = self.phi(X) * self.variance return phi_alpha.T.dot(posterior.woodbury_vector), np.eye(phi_alpha. shape[1]) * self.variance - mdot(phi_alpha.T, posterior. woodbury_inv, phi_alpha)
posterior_inf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X=None, posterior=None):\n if X is None:\n try:\n X = self._highest_parent_.X\n except NameError:\n raise RuntimeE...
def x(self, which_data_rows='all', which_data_ycols='all', visible_dims= None, projection='2d', label=None, **plot_kwargs): canvas, plot_kwargs = pl().new_canvas(projection=projection, **plot_kwargs) plots = _plot_data(self, canvas, which_data_rows, which_data_ycols, visible_dims, projection, label, **plot_kwargs) return pl().add_to_canvas(canvas, plots)
plot_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, which_data_rows='all', which_data_ycols='all', visible_dims=\n None, projection='2d', label=None, **plot_kwargs):\n canvas, plot_kwargs = pl().new_...
def x(self, which_data_rows='all', which_data_ycols='all', visible_dims= None, projection='2d', label=None, **error_kwargs): canvas, error_kwargs = pl().new_canvas(projection=projection, ** error_kwargs) plots = _plot_data_error(self, canvas, which_data_rows, which_data_ycols, visible_dims, projection, label, **error_kwargs) return pl().add_to_canvas(canvas, plots)
plot_data_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, which_data_rows='all', which_data_ycols='all', visible_dims=\n None, projection='2d', label=None, **error_kwargs):\n canvas, error_kwargs = pl().ne...
def x(self, visible_dims=None, projection='2d', label='inducing', legend= True, **plot_kwargs): canvas, kwargs = pl().new_canvas(projection=projection, **plot_kwargs) plots = _plot_inducing(self, canvas, visible_dims, projection, label, **kwargs) return pl().add_to_canvas(canvas, plots, legend=legend)
plot_inducing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, visible_dims=None, projection='2d', label='inducing', legend=\n True, **plot_kwargs):\n canvas, kwargs = pl().new_canvas(projection=projection, **p...
def x(self, which_data_rows='all', which_data_ycols='all', fixed_inputs= None, plot_raw=False, apply_link=False, label=None, projection='2d', predict_kw=None, **plot_kwargs): canvas, kwargs = pl().new_canvas(projection=projection, **plot_kwargs) plots = _plot_errorbars_trainset(self, canvas, which_data_rows, which_data_ycols, fixed_inputs, plot_raw, apply_link, label, projection, predict_kw, **kwargs) return pl().add_to_canvas(canvas, plots)
plot_errorbars_trainset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, which_data_rows='all', which_data_ycols='all', fixed_inputs=\n None, plot_raw=False, apply_link=False, label=None, projection='2d',\n predict_kw=No...
def x(self, Y): N, D = Y.shape if N >= D: return Y.view(np.ndarray) else: return jitchol(tdot(Y))
get_YYTfactor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, Y):\n N, D = Y.shape\n if N >= D:\n return Y.view(np.ndarray)\n else:\n return jitchol(tdot(Y))\n", "role": "user" }, { ...
def x(self): F, L, Qc, H, Pinf, dF, dQc, dPinf = self.kern.sde() self._log_marginal_likelihood = self.kf_likelihood(F, L, Qc, H, self. sigma2, Pinf, self.X.T, self.Y.T) gradients = self.compute_gradients() self.sigma2.gradient_full[:] = gradients[-1] self.kern.gradient_full[:] = gradients[:-1]
parameters_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n F, L, Qc, H, Pinf, dF, dQc, dPinf = self.kern.sde()\n self._log_marginal_likelihood = self.kf_likelihood(F, L, Qc, H, self.\n sigma2, Pin...
def x(optimize=True, plot=True): real_std = 0.1 X = np.linspace(0.0, np.pi * 2, 100)[:, None] Y = np.sin(X) + np.random.randn(*X.shape) * real_std Y = Y / Y.max() Yc = Y.copy() X_full = np.linspace(0.0, np.pi * 2, 500)[:, None] Y_full = np.sin(X_full) Y_full = Y_full / Y_full.max() Yc[75:80] += 1 deg_free = 1 print('Real noise: ', real_std) initial_var_guess = 0.5 edited_real_sd = initial_var_guess kernel1 = GPy.kern.RBF(X.shape[1]) + GPy.kern.White(X.shape[1]) kernel2 = GPy.kern.RBF(X.shape[1]) + GPy.kern.White(X.shape[1]) kernel3 = GPy.kern.RBF(X.shape[1]) + GPy.kern.White(X.shape[1]) kernel4 = GPy.kern.RBF(X.shape[1]) + GPy.kern.White(X.shape[1]) m1 = GPy.models.GPRegression(X, Y.copy(), kernel=kernel1) m1['.*white'].constrain_fixed(1e-05) m1.randomize() m2 = GPy.models.GPRegression(X, Yc.copy(), kernel=kernel2) m2['.*white'].constrain_fixed(1e-05) m2.randomize() t_distribution = GPy.likelihoods.StudentT(deg_free=deg_free, sigma2= edited_real_sd) laplace_inf = GPy.inference.latent_function_inference.Laplace() m3 = GPy.core.GP(X, Y.copy(), kernel3, likelihood=t_distribution, inference_method=laplace_inf) m3['.*t_scale2'].constrain_bounded(1e-06, 10.0) m3['.*white'].constrain_fixed(1e-05) m3.randomize() t_distribution = GPy.likelihoods.StudentT(deg_free=deg_free, sigma2= edited_real_sd) laplace_inf = GPy.inference.latent_function_inference.Laplace() m4 = GPy.core.GP(X, Yc.copy(), kernel4, likelihood=t_distribution, inference_method=laplace_inf) m4['.*t_scale2'].constrain_bounded(1e-06, 10.0) m4['.*white'].constrain_fixed(1e-05) m4.randomize() print(m4) debug = True if debug: m4.optimize(messages=1) from matplotlib import pyplot as pb pb.plot(m4.X, m4.inference_method.f_hat) pb.plot(m4.X, m4.Y, 'rx') m4.plot() print(m4) return m4 if optimize: optimizer = 'scg' print('Clean Gaussian') m1.optimize(optimizer, messages=1) print('Corrupt Gaussian') m2.optimize(optimizer, messages=1) print('Clean student t') m3.optimize(optimizer, messages=1) print('Corrupt student t') m4.optimize(optimizer, messages=1) if plot: plt.figure(1) plt.suptitle('Gaussian likelihood') ax = plt.subplot(211) m1.plot(ax=ax) plt.plot(X_full, Y_full) plt.ylim(-1.5, 1.5) plt.title('Gaussian clean') ax = plt.subplot(212) m2.plot(ax=ax) plt.plot(X_full, Y_full) plt.ylim(-1.5, 1.5) plt.title('Gaussian corrupt') plt.figure(2) plt.suptitle('Student-t likelihood') ax = plt.subplot(211) m3.plot(ax=ax) plt.plot(X_full, Y_full) plt.ylim(-1.5, 1.5) plt.title('Student-t rasm clean') ax = plt.subplot(212) m4.plot(ax=ax) plt.plot(X_full, Y_full) plt.ylim(-1.5, 1.5) plt.title('Student-t rasm corrupt') return m1, m2, m3, m4
student_t_approx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n real_std = 0.1\n X = np.linspace(0.0, np.pi * 2, 100)[:, None]\n Y = np.sin(X) + np.random.randn(*X.shape) * real_std\n ...
def x(self, X, X2, target): self._K_computations(X, X2) target += self.variance * self._K_dvar
K
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, X2, target):\n self._K_computations(X, X2)\n target += self.variance * self._K_dvar\n", "role": "user" }, { "content": "K", "rol...
def x(self, X, target): self._K_diag_computations(X) target += self.variance * self._K_diag_dvar
Kdiag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, target):\n self._K_diag_computations(X)\n target += self.variance * self._K_diag_dvar\n", "role": "user" }, { "content": "Kdiag", ...
def x(self, dL_dK, X, X2, target): self._K_computations(X, X2) base = self.variance * self.degree * self._K_poly_arg ** (self.degree - 1) base_cov_grad = base * dL_dK target[0] += np.sum(self._K_dvar * dL_dK) target[1] += (self._K_inner_prod * base_cov_grad).sum() target[2] += base_cov_grad.sum()
param_grad_helper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dL_dK, X, X2, target):\n self._K_computations(X, X2)\n base = self.variance * self.degree * self._K_poly_arg ** (self.degree - 1)\n base_cov_gra...
def x(self, dL_dK, X, X2, target): self._K_computations(X, X2) arg = self._K_poly_arg if X2 is None: target += 2 * self.weight_variance * self.degree * self.variance * ( X[None, :, :] * (arg ** (self.degree - 1))[:, :, None] * dL_dK[ :, :, None]).sum(1) else: target += self.weight_variance * self.degree * self.variance * (X2[ None, :, :] * (arg ** (self.degree - 1))[:, :, None] * dL_dK[:, :, None]).sum(1)
gradients_X
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dL_dK, X, X2, target):\n self._K_computations(X, X2)\n arg = self._K_poly_arg\n if X2 is None:\n target += 2 * self.weight_variance * sel...
def x(self, dL_dKdiag, X, target): self._K_diag_computations(X) arg = self._K_diag_poly_arg target += (2.0 * self.weight_variance * self.degree * self.variance * X * dL_dKdiag[:, None] * (arg ** (self.degree - 1))[:, None])
dKdiag_dX
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dL_dKdiag, X, target):\n self._K_diag_computations(X)\n arg = self._K_diag_poly_arg\n target += (2.0 * self.weight_variance * self.degree * self...
def x(kernel, filtering=None, legend=False, canvas=None, **kwargs): Tango.reset() ard_params = np.atleast_2d(kernel.input_sensitivity(summarize=False)) bottom = 0 last_bottom = bottom x = np.arange(kernel._effective_input_dim) parts = [] def x(x): if not isinstance(x, CombinationKernel) and isinstance(x, Kern): parts.append(x) kernel.traverse(visit) if filtering is None: filtering = [k.name for k in parts] bars = [] kwargs = update_not_existing_kwargs(kwargs, pl().defaults.ard) if canvas is None: canvas, kwargs = pl().new_canvas(xlim=(-0.5, kernel. _effective_input_dim - 0.5), xlabel='input dimension', ylabel= 'ard contribution', **kwargs) for i in range(ard_params.shape[0]): if parts[i].name in filtering: c = Tango.nextMedium() bars.append(pl().barplot(canvas, x, ard_params[i, :], color=c, label=parts[i].name, bottom=bottom, **kwargs)) last_bottom = ard_params[i, :] bottom += last_bottom else: print('filtering out {}'.format(parts[i].name)) return pl().add_to_canvas(canvas, bars, legend=legend)
plot_ARD
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kernel, filtering=None, legend=False, canvas=None, **kwargs):\n Tango.reset()\n ard_params = np.atleast_2d(kernel.input_sensitivity(summarize=False))\n ...
def x(kernel, x=None, label=None, plot_limits=None, visible_dims=None, resolution=None, projection='2d', levels=20, **kwargs): X = np.ones((2, kernel._effective_input_dim)) * [[-3], [3]] _, free_dims, Xgrid, xx, yy, _, _, resolution = helper_for_plot_data(kernel , X, plot_limits, visible_dims, None, resolution) from numbers import Number if x is None: from ...kern.src.stationary import Stationary x = np.ones((1, kernel._effective_input_dim)) * (not isinstance( kernel, Stationary)) elif isinstance(x, Number): x = np.ones((1, kernel._effective_input_dim)) * x K = kernel.K(Xgrid, x) if projection == '3d': xlabel = 'X[:,0]' ylabel = 'X[:,1]' zlabel = 'k(X, {!s})'.format(np.asanyarray(x).tolist()) else: xlabel = 'X' ylabel = 'k(X, {!s})'.format(np.asanyarray(x).tolist()) zlabel = None canvas, kwargs = pl().new_canvas(projection=projection, xlabel=xlabel, ylabel=ylabel, zlabel=zlabel, **kwargs) if len(free_dims) <= 2: if len(free_dims) == 1: update_not_existing_kwargs(kwargs, pl().defaults.meanplot_1d) plots = dict(covariance=[pl().plot(canvas, Xgrid[:, free_dims], K, label=label, **kwargs)]) elif projection == '2d': update_not_existing_kwargs(kwargs, pl().defaults.meanplot_2d) plots = dict(covariance=[pl().contour(canvas, xx[:, 0], yy[0, : ], K.reshape(resolution, resolution), levels=levels, label= label, **kwargs)]) elif projection == '3d': update_not_existing_kwargs(kwargs, pl().defaults.meanplot_3d) plots = dict(covariance=[pl().surface(canvas, xx, yy, K.reshape (resolution, resolution), label=label, **kwargs)]) return pl().add_to_canvas(canvas, plots) else: raise NotImplementedError( 'Cannot plot a kernel with more than two input dimensions')
plot_covariance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kernel, x=None, label=None, plot_limits=None, visible_dims=None,\n resolution=None, projection='2d', levels=20, **kwargs):\n X = np.ones((2, kernel._effe...
def x(input_dict): import copy input_dict = copy.deepcopy(input_dict) link_class = input_dict.pop('class') import GPy link_class = eval(link_class) return link_class._build_from_input_dict(link_class, input_dict)
from_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_dict):\n import copy\n input_dict = copy.deepcopy(input_dict)\n link_class = input_dict.pop('class')\n import GPy\n link_class = eval(link...
def x(optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.olympic_marathon_men() m = GPy.models.GPRegression(data['X'], data['Y']) m.kern.lengthscale = 10.0 if optimize: m.optimize('bfgs', max_iters=200) if plot: m.plot(plot_limits=(1850, 2050)) return m
olympic_marathon_men
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, see https://github.com/sods/...
def x(optimize=True, plot=True): X1 = np.random.rand(50, 1) * 8 X2 = np.random.rand(30, 1) * 5 Y1 = np.sin(X1) + np.random.randn(*X1.shape) * 0.05 Y2 = np.sin(X2) + np.random.randn(*X2.shape) * 0.05 + 2.0 m = GPy.models.GPCoregionalizedRegression(X_list=[X1, X2], Y_list=[Y1, Y2]) if optimize: m.optimize('bfgs', max_iters=100) if plot: slices = GPy.util.multioutput.get_slices([X1, X2]) m.plot(fixed_inputs=[(1, 0)], which_data_rows=slices[0], Y_metadata ={'output_index': 0}) m.plot(fixed_inputs=[(1, 1)], which_data_rows=slices[1], Y_metadata ={'output_index': 1}, ax=pb.gca()) return m
coregionalization_toy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n X1 = np.random.rand(50, 1) * 8\n X2 = np.random.rand(30, 1) * 5\n Y1 = np.sin(X1) + np.random.randn(*X1.shape) * 0.05\n ...
def x(max_iters=200, optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.epomeo_gpx() num_data_list = [] for Xpart in data['X']: num_data_list.append(Xpart.shape[0]) num_data_array = np.array(num_data_list) num_data = num_data_array.sum() Y = np.zeros((num_data, 2)) t = np.zeros((num_data, 2)) start = 0 for Xpart, index in zip(data['X'], range(len(data['X']))): end = start + Xpart.shape[0] t[start:end, :] = np.hstack((Xpart[:, 0:1], index * np.ones((Xpart. shape[0], 1)))) Y[start:end, :] = Xpart[:, 1:3] num_inducing = 200 Z = np.hstack((np.linspace(t[:, 0].min(), t[:, 0].max(), num_inducing)[ :, None], np.random.randint(0, 4, num_inducing)[:, None])) k1 = GPy.kern.RBF(1) k2 = GPy.kern.Coregionalize(output_dim=5, rank=5) k = k1 ** k2 m = GPy.models.SparseGPRegression(t, Y, kernel=k, Z=Z, normalize_Y=True) m.constrain_fixed('.*variance', 1.0) m.inducing_inputs.constrain_fixed() m.Gaussian_noise.variance.constrain_bounded(0.001, 0.1) m.optimize(max_iters=max_iters, messages=True) return m
epomeo_gpx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_iters=200, optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, see https://g...
def x(gene_number=937, resolution=80, model_restarts=10, seed=10000, max_iters=300, optimize=True, plot=True): length_scales = np.linspace(0.1, 60.0, resolution) log_SNRs = np.linspace(-3.0, 4.0, resolution) try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.della_gatta_TRP63_gene_expression(data_set= 'della_gatta', gene_number=gene_number) data['Y'] = data['Y'] - np.mean(data['Y']) lls = GPy.examples.regression._contour_data(data, length_scales, log_SNRs, GPy.kern.RBF) if plot: pb.contour(length_scales, log_SNRs, np.exp(lls), 20, cmap=pb.cm.jet) ax = pb.gca() pb.xlabel('length scale') pb.ylabel('log_10 SNR') xlim = ax.get_xlim() ylim = ax.get_ylim() models = [] optim_point_x = np.empty(2) optim_point_y = np.empty(2) np.random.seed(seed=seed) for i in range(0, model_restarts): kern = GPy.kern.RBF(1, variance=np.random.uniform(0.001, 1), lengthscale=np.random.uniform(5, 50)) m = GPy.models.GPRegression(data['X'], data['Y'], kernel=kern) m.likelihood.variance = np.random.uniform(0.001, 1) optim_point_x[0] = m.rbf.lengthscale optim_point_y[0] = np.log10(m.rbf.variance) - np.log10(m.likelihood .variance) if optimize: m.optimize('scg', xtol=1e-06, ftol=1e-06, max_iters=max_iters) optim_point_x[1] = m.rbf.lengthscale optim_point_y[1] = np.log10(m.rbf.variance) - np.log10(m.likelihood .variance) if plot: pb.arrow(optim_point_x[0], optim_point_y[0], optim_point_x[1] - optim_point_x[0], optim_point_y[1] - optim_point_y[0], label=str(i), head_length=1, head_width=0.5, fc='k', ec='k') models.append(m) if plot: ax.set_xlim(xlim) ax.set_ylim(ylim) return m
multiple_optima
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gene_number=937, resolution=80, model_restarts=10, seed=10000,\n max_iters=300, optimize=True, plot=True):\n length_scales = np.linspace(0.1, 60.0, resol...
def x(data, length_scales, log_SNRs, kernel_call=GPy.kern.RBF): lls = [] total_var = np.var(data['Y']) kernel = kernel_call(1, variance=1.0, lengthscale=1.0) model = GPy.models.GPRegression(data['X'], data['Y'], kernel=kernel) for log_SNR in log_SNRs: SNR = 10.0 ** log_SNR noise_var = total_var / (1.0 + SNR) signal_var = total_var - noise_var model.kern['.*variance'] = signal_var model.likelihood.variance = noise_var length_scale_lls = [] for length_scale in length_scales: model['.*lengthscale'] = length_scale length_scale_lls.append(model.log_likelihood()) lls.append(length_scale_lls) return np.array(lls)
contour_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, length_scales, log_SNRs, kernel_call=GPy.kern.RBF):\n lls = []\n total_var = np.var(data['Y'])\n kernel = kernel_call(1, variance=1.0, lengthsca...
def x(optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.olympic_100m_men() m = GPy.models.GPRegression(data['X'], data['Y']) m.rbf.lengthscale = 10 if optimize: m.optimize('bfgs', max_iters=200) if plot: m.plot(plot_limits=(1850, 2050)) return m
olympic_100m_men
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, see https://github.com/sods/...
def x(optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.toy_rbf_1d() m = GPy.models.GPRegression(data['X'], data['Y']) if optimize: m.optimize('bfgs') if plot: m.plot() return m
toy_rbf_1d
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, see https://github.com/sods/...
def x(optimize=True, plot=True): optimizer = 'scg' x_len = 100 X = np.linspace(0, 10, x_len)[:, None] f_true = np.random.multivariate_normal(np.zeros(x_len), GPy.kern.RBF(1) .K(X)) Y = np.array([np.random.poisson(np.exp(f)) for f in f_true])[:, None] kern = GPy.kern.RBF(1) poisson_lik = GPy.likelihoods.Poisson() laplace_inf = GPy.inference.latent_function_inference.Laplace() m = GPy.core.GP(X, Y, kernel=kern, likelihood=poisson_lik, inference_method=laplace_inf) if optimize: m.optimize(optimizer) if plot: m.plot() pb.plot(X, np.exp(f_true), '--k', linewidth=2) return m
toy_poisson_rbf_1d_laplace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(optimize=True, plot=True):\n optimizer = 'scg'\n x_len = 100\n X = np.linspace(0, 10, x_len)[:, None]\n f_true = np.random.multivariate_normal(np.z...
def x(max_iters=100, kernel=None, optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.robot_wireless() m = GPy.models.GPRegression(data['Y'], data['X'], kernel=kernel) if optimize: m.optimize(max_iters=max_iters) Xpredict = m.predict(data['Ytest'])[0] if plot: pb.plot(data['Xtest'][:, 0], data['Xtest'][:, 1], 'r-') pb.plot(Xpredict[:, 0], Xpredict[:, 1], 'b-') pb.axis('equal') pb.title('WiFi Localization with Gaussian Processes') pb.legend(('True Location', 'Predicted Location')) sse = ((data['Xtest'] - Xpredict) ** 2).sum() print('Sum of squares error on test data: ' + str(sse)) return m
robot_wireless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_iters=100, kernel=None, optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, ...
def x(max_iters=100, optimize=True, plot=True): try: import pods except ImportError: print( 'pods unavailable, see https://github.com/sods/ods for example datasets' ) return data = pods.datasets.silhouette() m = GPy.models.GPRegression(data['X'], data['Y']) if optimize: m.optimize(messages=True, max_iters=max_iters) print(m) return m
silhouette
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(max_iters=100, optimize=True, plot=True):\n try:\n import pods\n except ImportError:\n print(\n 'pods unavailable, see https://g...