repo
stringlengths
7
55
path
stringlengths
4
127
func_name
stringlengths
1
88
original_string
stringlengths
75
19.8k
language
stringclasses
1 value
code
stringlengths
75
19.8k
code_tokens
list
docstring
stringlengths
3
17.3k
docstring_tokens
list
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
hishnash/djangochannelsrestframework
djangochannelsrestframework/consumers.py
AsyncAPIConsumer.check_permissions
async def check_permissions(self, action: str, **kwargs): """ Check if the action should be permitted. Raises an appropriate exception if the request is not permitted. """ for permission in await self.get_permissions(action=action, **kwargs): if not await ensure_asyn...
python
async def check_permissions(self, action: str, **kwargs): """ Check if the action should be permitted. Raises an appropriate exception if the request is not permitted. """ for permission in await self.get_permissions(action=action, **kwargs): if not await ensure_asyn...
[ "async", "def", "check_permissions", "(", "self", ",", "action", ":", "str", ",", "*", "*", "kwargs", ")", ":", "for", "permission", "in", "await", "self", ".", "get_permissions", "(", "action", "=", "action", ",", "*", "*", "kwargs", ")", ":", "if", ...
Check if the action should be permitted. Raises an appropriate exception if the request is not permitted.
[ "Check", "if", "the", "action", "should", "be", "permitted", ".", "Raises", "an", "appropriate", "exception", "if", "the", "request", "is", "not", "permitted", "." ]
19fdec7efd785b1a94d19612a8de934e1948e344
https://github.com/hishnash/djangochannelsrestframework/blob/19fdec7efd785b1a94d19612a8de934e1948e344/djangochannelsrestframework/consumers.py#L93-L102
train
hishnash/djangochannelsrestframework
djangochannelsrestframework/consumers.py
AsyncAPIConsumer.handle_exception
async def handle_exception(self, exc: Exception, action: str, request_id): """ Handle any exception that occurs, by sending an appropriate message """ if isinstance(exc, APIException): await self.reply( action=action, errors=self._format_errors...
python
async def handle_exception(self, exc: Exception, action: str, request_id): """ Handle any exception that occurs, by sending an appropriate message """ if isinstance(exc, APIException): await self.reply( action=action, errors=self._format_errors...
[ "async", "def", "handle_exception", "(", "self", ",", "exc", ":", "Exception", ",", "action", ":", "str", ",", "request_id", ")", ":", "if", "isinstance", "(", "exc", ",", "APIException", ")", ":", "await", "self", ".", "reply", "(", "action", "=", "ac...
Handle any exception that occurs, by sending an appropriate message
[ "Handle", "any", "exception", "that", "occurs", "by", "sending", "an", "appropriate", "message" ]
19fdec7efd785b1a94d19612a8de934e1948e344
https://github.com/hishnash/djangochannelsrestframework/blob/19fdec7efd785b1a94d19612a8de934e1948e344/djangochannelsrestframework/consumers.py#L104-L123
train
hishnash/djangochannelsrestframework
djangochannelsrestframework/consumers.py
AsyncAPIConsumer.receive_json
async def receive_json(self, content: typing.Dict, **kwargs): """ Called with decoded JSON content. """ # TODO assert format, if does not match return message. request_id = content.pop('request_id') action = content.pop('action') await self.handle_action(action, r...
python
async def receive_json(self, content: typing.Dict, **kwargs): """ Called with decoded JSON content. """ # TODO assert format, if does not match return message. request_id = content.pop('request_id') action = content.pop('action') await self.handle_action(action, r...
[ "async", "def", "receive_json", "(", "self", ",", "content", ":", "typing", ".", "Dict", ",", "*", "*", "kwargs", ")", ":", "# TODO assert format, if does not match return message.", "request_id", "=", "content", ".", "pop", "(", "'request_id'", ")", "action", "...
Called with decoded JSON content.
[ "Called", "with", "decoded", "JSON", "content", "." ]
19fdec7efd785b1a94d19612a8de934e1948e344
https://github.com/hishnash/djangochannelsrestframework/blob/19fdec7efd785b1a94d19612a8de934e1948e344/djangochannelsrestframework/consumers.py#L170-L177
train
hishnash/djangochannelsrestframework
djangochannelsrestframework/decorators.py
action
def action(atomic=None, **kwargs): """ Mark a method as an action. """ def decorator(func): if atomic is None: _atomic = getattr(settings, 'ATOMIC_REQUESTS', False) else: _atomic = atomic func.action = True func.kwargs = kwargs if asyncio....
python
def action(atomic=None, **kwargs): """ Mark a method as an action. """ def decorator(func): if atomic is None: _atomic = getattr(settings, 'ATOMIC_REQUESTS', False) else: _atomic = atomic func.action = True func.kwargs = kwargs if asyncio....
[ "def", "action", "(", "atomic", "=", "None", ",", "*", "*", "kwargs", ")", ":", "def", "decorator", "(", "func", ")", ":", "if", "atomic", "is", "None", ":", "_atomic", "=", "getattr", "(", "settings", ",", "'ATOMIC_REQUESTS'", ",", "False", ")", "el...
Mark a method as an action.
[ "Mark", "a", "method", "as", "an", "action", "." ]
19fdec7efd785b1a94d19612a8de934e1948e344
https://github.com/hishnash/djangochannelsrestframework/blob/19fdec7efd785b1a94d19612a8de934e1948e344/djangochannelsrestframework/decorators.py#L35-L72
train
blue-yonder/bonfire
bonfire/dateutils.py
datetime_parser
def datetime_parser(s): """ Parse timestamp s in local time. First the arrow parser is used, if it fails, the parsedatetime parser is used. :param s: :return: """ try: ts = arrow.get(s) # Convert UTC to local, result of get is UTC unless it specifies timezone, bonfire assumes ...
python
def datetime_parser(s): """ Parse timestamp s in local time. First the arrow parser is used, if it fails, the parsedatetime parser is used. :param s: :return: """ try: ts = arrow.get(s) # Convert UTC to local, result of get is UTC unless it specifies timezone, bonfire assumes ...
[ "def", "datetime_parser", "(", "s", ")", ":", "try", ":", "ts", "=", "arrow", ".", "get", "(", "s", ")", "# Convert UTC to local, result of get is UTC unless it specifies timezone, bonfire assumes", "# all time to be machine local", "if", "ts", ".", "tzinfo", "==", "arr...
Parse timestamp s in local time. First the arrow parser is used, if it fails, the parsedatetime parser is used. :param s: :return:
[ "Parse", "timestamp", "s", "in", "local", "time", ".", "First", "the", "arrow", "parser", "is", "used", "if", "it", "fails", "the", "parsedatetime", "parser", "is", "used", "." ]
d0af9ca10394f366cfa3c60f0741f1f0918011c2
https://github.com/blue-yonder/bonfire/blob/d0af9ca10394f366cfa3c60f0741f1f0918011c2/bonfire/dateutils.py#L14-L42
train
kyb3r/dhooks
dhooks/file.py
File.seek
def seek(self, offset: int = 0, *args, **kwargs): """ A shortcut to ``self.fp.seek``. """ return self.fp.seek(offset, *args, **kwargs)
python
def seek(self, offset: int = 0, *args, **kwargs): """ A shortcut to ``self.fp.seek``. """ return self.fp.seek(offset, *args, **kwargs)
[ "def", "seek", "(", "self", ",", "offset", ":", "int", "=", "0", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "return", "self", ".", "fp", ".", "seek", "(", "offset", ",", "*", "args", ",", "*", "*", "kwargs", ")" ]
A shortcut to ``self.fp.seek``.
[ "A", "shortcut", "to", "self", ".", "fp", ".", "seek", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/file.py#L32-L38
train
kyb3r/dhooks
dhooks/embed.py
Embed.set_title
def set_title(self, title: str, url: str = None) -> None: """ Sets the title of the embed. Parameters ---------- title: str Title of the embed. url: str or None, optional URL hyperlink of the title. """ self.title = title ...
python
def set_title(self, title: str, url: str = None) -> None: """ Sets the title of the embed. Parameters ---------- title: str Title of the embed. url: str or None, optional URL hyperlink of the title. """ self.title = title ...
[ "def", "set_title", "(", "self", ",", "title", ":", "str", ",", "url", ":", "str", "=", "None", ")", "->", "None", ":", "self", ".", "title", "=", "title", "self", ".", "url", "=", "url" ]
Sets the title of the embed. Parameters ---------- title: str Title of the embed. url: str or None, optional URL hyperlink of the title.
[ "Sets", "the", "title", "of", "the", "embed", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/embed.py#L82-L96
train
kyb3r/dhooks
dhooks/embed.py
Embed.set_timestamp
def set_timestamp(self, time: Union[str, datetime.datetime] = None, now: bool = False) -> None: """ Sets the timestamp of the embed. Parameters ---------- time: str or :class:`datetime.datetime` The ``ISO 8601`` timestamp from the embed. ...
python
def set_timestamp(self, time: Union[str, datetime.datetime] = None, now: bool = False) -> None: """ Sets the timestamp of the embed. Parameters ---------- time: str or :class:`datetime.datetime` The ``ISO 8601`` timestamp from the embed. ...
[ "def", "set_timestamp", "(", "self", ",", "time", ":", "Union", "[", "str", ",", "datetime", ".", "datetime", "]", "=", "None", ",", "now", ":", "bool", "=", "False", ")", "->", "None", ":", "if", "now", ":", "self", ".", "timestamp", "=", "str", ...
Sets the timestamp of the embed. Parameters ---------- time: str or :class:`datetime.datetime` The ``ISO 8601`` timestamp from the embed. now: bool Defaults to :class:`False`. If set to :class:`True` the current time is used for the timestamp.
[ "Sets", "the", "timestamp", "of", "the", "embed", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/embed.py#L98-L116
train
kyb3r/dhooks
dhooks/embed.py
Embed.add_field
def add_field(self, name: str, value: str, inline: bool = True) -> None: """ Adds an embed field. Parameters ---------- name: str Name attribute of the embed field. value: str Value attribute of the embed field. inline: bool ...
python
def add_field(self, name: str, value: str, inline: bool = True) -> None: """ Adds an embed field. Parameters ---------- name: str Name attribute of the embed field. value: str Value attribute of the embed field. inline: bool ...
[ "def", "add_field", "(", "self", ",", "name", ":", "str", ",", "value", ":", "str", ",", "inline", ":", "bool", "=", "True", ")", "->", "None", ":", "field", "=", "{", "'name'", ":", "name", ",", "'value'", ":", "value", ",", "'inline'", ":", "in...
Adds an embed field. Parameters ---------- name: str Name attribute of the embed field. value: str Value attribute of the embed field. inline: bool Defaults to :class:`True`. Whether or not the embed should be inline.
[ "Adds", "an", "embed", "field", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/embed.py#L118-L140
train
kyb3r/dhooks
dhooks/embed.py
Embed.set_author
def set_author(self, name: str, icon_url: str = None, url: str = None) -> \ None: """ Sets the author of the embed. Parameters ---------- name: str The author's name. icon_url: str, optional URL for the author's icon. url: st...
python
def set_author(self, name: str, icon_url: str = None, url: str = None) -> \ None: """ Sets the author of the embed. Parameters ---------- name: str The author's name. icon_url: str, optional URL for the author's icon. url: st...
[ "def", "set_author", "(", "self", ",", "name", ":", "str", ",", "icon_url", ":", "str", "=", "None", ",", "url", ":", "str", "=", "None", ")", "->", "None", ":", "self", ".", "author", "=", "{", "'name'", ":", "name", ",", "'icon_url'", ":", "ico...
Sets the author of the embed. Parameters ---------- name: str The author's name. icon_url: str, optional URL for the author's icon. url: str, optional URL hyperlink for the author.
[ "Sets", "the", "author", "of", "the", "embed", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/embed.py#L142-L163
train
kyb3r/dhooks
dhooks/embed.py
Embed.set_footer
def set_footer(self, text: str, icon_url: str = None) -> None: """ Sets the footer of the embed. Parameters ---------- text: str The footer text. icon_url: str, optional URL for the icon in the footer. """ self.footer = { ...
python
def set_footer(self, text: str, icon_url: str = None) -> None: """ Sets the footer of the embed. Parameters ---------- text: str The footer text. icon_url: str, optional URL for the icon in the footer. """ self.footer = { ...
[ "def", "set_footer", "(", "self", ",", "text", ":", "str", ",", "icon_url", ":", "str", "=", "None", ")", "->", "None", ":", "self", ".", "footer", "=", "{", "'text'", ":", "text", ",", "'icon_url'", ":", "icon_url", "}" ]
Sets the footer of the embed. Parameters ---------- text: str The footer text. icon_url: str, optional URL for the icon in the footer.
[ "Sets", "the", "footer", "of", "the", "embed", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/dhooks/embed.py#L189-L205
train
kyb3r/dhooks
examples/async.py
init
async def init(app, loop): """Sends a message to the webhook channel when server starts.""" app.session = aiohttp.ClientSession(loop=loop) # to make web requests app.webhook = Webhook.Async(webhook_url, session=app.session) em = Embed(color=0x2ecc71) em.set_author('[INFO] Starting Worker') em....
python
async def init(app, loop): """Sends a message to the webhook channel when server starts.""" app.session = aiohttp.ClientSession(loop=loop) # to make web requests app.webhook = Webhook.Async(webhook_url, session=app.session) em = Embed(color=0x2ecc71) em.set_author('[INFO] Starting Worker') em....
[ "async", "def", "init", "(", "app", ",", "loop", ")", ":", "app", ".", "session", "=", "aiohttp", ".", "ClientSession", "(", "loop", "=", "loop", ")", "# to make web requests", "app", ".", "webhook", "=", "Webhook", ".", "Async", "(", "webhook_url", ",",...
Sends a message to the webhook channel when server starts.
[ "Sends", "a", "message", "to", "the", "webhook", "channel", "when", "server", "starts", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/examples/async.py#L17-L26
train
kyb3r/dhooks
examples/async.py
server_stop
async def server_stop(app, loop): """Sends a message to the webhook channel when server stops.""" em = Embed(color=0xe67e22) em.set_footer('Host: {}'.format(socket.gethostname())) em.description = '[INFO] Server Stopped' await app.webhook.send(embed=em) await app.session.close()
python
async def server_stop(app, loop): """Sends a message to the webhook channel when server stops.""" em = Embed(color=0xe67e22) em.set_footer('Host: {}'.format(socket.gethostname())) em.description = '[INFO] Server Stopped' await app.webhook.send(embed=em) await app.session.close()
[ "async", "def", "server_stop", "(", "app", ",", "loop", ")", ":", "em", "=", "Embed", "(", "color", "=", "0xe67e22", ")", "em", ".", "set_footer", "(", "'Host: {}'", ".", "format", "(", "socket", ".", "gethostname", "(", ")", ")", ")", "em", ".", "...
Sends a message to the webhook channel when server stops.
[ "Sends", "a", "message", "to", "the", "webhook", "channel", "when", "server", "stops", "." ]
2cde52b26cc94dcbf538ebcc4e17dfc3714d2827
https://github.com/kyb3r/dhooks/blob/2cde52b26cc94dcbf538ebcc4e17dfc3714d2827/examples/async.py#L30-L37
train
tantale/deprecated
deprecated/classic.py
ClassicAdapter.get_deprecated_msg
def get_deprecated_msg(self, wrapped, instance): """ Get the deprecation warning message for the user. :param wrapped: Wrapped class or function. :param instance: The object to which the wrapped function was bound when it was called. :return: The warning message. """ ...
python
def get_deprecated_msg(self, wrapped, instance): """ Get the deprecation warning message for the user. :param wrapped: Wrapped class or function. :param instance: The object to which the wrapped function was bound when it was called. :return: The warning message. """ ...
[ "def", "get_deprecated_msg", "(", "self", ",", "wrapped", ",", "instance", ")", ":", "if", "instance", "is", "None", ":", "if", "inspect", ".", "isclass", "(", "wrapped", ")", ":", "fmt", "=", "\"Call to deprecated class {name}.\"", "else", ":", "fmt", "=", ...
Get the deprecation warning message for the user. :param wrapped: Wrapped class or function. :param instance: The object to which the wrapped function was bound when it was called. :return: The warning message.
[ "Get", "the", "deprecation", "warning", "message", "for", "the", "user", "." ]
3dc742c571de7cebbbdaaf4c554f2f36fc61b3db
https://github.com/tantale/deprecated/blob/3dc742c571de7cebbbdaaf4c554f2f36fc61b3db/deprecated/classic.py#L101-L127
train
izdi/django-slack-oauth
django_slack_oauth/pipelines.py
slack_user
def slack_user(request, api_data): """ Pipeline for backward compatibility prior to 1.0.0 version. In case if you're willing maintain `slack_user` table. """ if request.user.is_anonymous: return request, api_data data = deepcopy(api_data) slacker, _ = SlackUser.objects.get_or_crea...
python
def slack_user(request, api_data): """ Pipeline for backward compatibility prior to 1.0.0 version. In case if you're willing maintain `slack_user` table. """ if request.user.is_anonymous: return request, api_data data = deepcopy(api_data) slacker, _ = SlackUser.objects.get_or_crea...
[ "def", "slack_user", "(", "request", ",", "api_data", ")", ":", "if", "request", ".", "user", ".", "is_anonymous", ":", "return", "request", ",", "api_data", "data", "=", "deepcopy", "(", "api_data", ")", "slacker", ",", "_", "=", "SlackUser", ".", "obje...
Pipeline for backward compatibility prior to 1.0.0 version. In case if you're willing maintain `slack_user` table.
[ "Pipeline", "for", "backward", "compatibility", "prior", "to", "1", ".", "0", ".", "0", "version", ".", "In", "case", "if", "you", "re", "willing", "maintain", "slack_user", "table", "." ]
46e10f7c64407a018b9585f257224fc38888fbcb
https://github.com/izdi/django-slack-oauth/blob/46e10f7c64407a018b9585f257224fc38888fbcb/django_slack_oauth/pipelines.py#L26-L46
train
matplotlib/cmocean
cmocean/data.py
read
def read(varin, fname='MS2_L10.mat.txt'): '''Read in dataset for variable var :param varin: Variable for which to read in data. ''' # # fname = 'MS09_L10.mat.txt' # # fname = 'MS09_L05.mat.txt' # has PAR # fname = 'MS2_L10.mat.txt' # empty PAR d = np.loadtxt(fname, comments='*') if ...
python
def read(varin, fname='MS2_L10.mat.txt'): '''Read in dataset for variable var :param varin: Variable for which to read in data. ''' # # fname = 'MS09_L10.mat.txt' # # fname = 'MS09_L05.mat.txt' # has PAR # fname = 'MS2_L10.mat.txt' # empty PAR d = np.loadtxt(fname, comments='*') if ...
[ "def", "read", "(", "varin", ",", "fname", "=", "'MS2_L10.mat.txt'", ")", ":", "# # fname = 'MS09_L10.mat.txt'", "# # fname = 'MS09_L05.mat.txt' # has PAR", "# fname = 'MS2_L10.mat.txt' # empty PAR", "d", "=", "np", ".", "loadtxt", "(", "fname", ",", "comments", "=", "'...
Read in dataset for variable var :param varin: Variable for which to read in data.
[ "Read", "in", "dataset", "for", "variable", "var" ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/data.py#L15-L40
train
matplotlib/cmocean
cmocean/data.py
show
def show(cmap, var, vmin=None, vmax=None): '''Show a colormap for a chosen input variable var side by side with black and white and jet colormaps. :param cmap: Colormap instance :param var: Variable to plot. :param vmin=None: Min plot value. :param vmax=None: Max plot value. ''' # get...
python
def show(cmap, var, vmin=None, vmax=None): '''Show a colormap for a chosen input variable var side by side with black and white and jet colormaps. :param cmap: Colormap instance :param var: Variable to plot. :param vmin=None: Min plot value. :param vmax=None: Max plot value. ''' # get...
[ "def", "show", "(", "cmap", ",", "var", ",", "vmin", "=", "None", ",", "vmax", "=", "None", ")", ":", "# get variable data", "lat", ",", "lon", ",", "z", ",", "data", "=", "read", "(", "var", ")", "fig", "=", "plt", ".", "figure", "(", "figsize",...
Show a colormap for a chosen input variable var side by side with black and white and jet colormaps. :param cmap: Colormap instance :param var: Variable to plot. :param vmin=None: Min plot value. :param vmax=None: Max plot value.
[ "Show", "a", "colormap", "for", "a", "chosen", "input", "variable", "var", "side", "by", "side", "with", "black", "and", "white", "and", "jet", "colormaps", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/data.py#L43-L76
train
matplotlib/cmocean
cmocean/data.py
plot_data
def plot_data(): '''Plot sample data up with the fancy colormaps. ''' var = ['temp', 'oxygen', 'salinity', 'fluorescence-ECO', 'density', 'PAR', 'turbidity', 'fluorescence-CDOM'] # colorbar limits for each property lims = np.array([[26, 33], [0, 10], [0, 36], [0, 6], [1005, 1025], [0, 0.6], [0, 2]...
python
def plot_data(): '''Plot sample data up with the fancy colormaps. ''' var = ['temp', 'oxygen', 'salinity', 'fluorescence-ECO', 'density', 'PAR', 'turbidity', 'fluorescence-CDOM'] # colorbar limits for each property lims = np.array([[26, 33], [0, 10], [0, 36], [0, 6], [1005, 1025], [0, 0.6], [0, 2]...
[ "def", "plot_data", "(", ")", ":", "var", "=", "[", "'temp'", ",", "'oxygen'", ",", "'salinity'", ",", "'fluorescence-ECO'", ",", "'density'", ",", "'PAR'", ",", "'turbidity'", ",", "'fluorescence-CDOM'", "]", "# colorbar limits for each property", "lims", "=", ...
Plot sample data up with the fancy colormaps.
[ "Plot", "sample", "data", "up", "with", "the", "fancy", "colormaps", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/data.py#L79-L115
train
matplotlib/cmocean
cmocean/plots.py
plot_lightness
def plot_lightness(saveplot=False): '''Plot lightness of colormaps together. ''' from colorspacious import cspace_converter dc = 1. x = np.linspace(0.0, 1.0, 256) locs = [] # locations for text labels fig = plt.figure(figsize=(16, 5)) ax = fig.add_subplot(111) fig.subplots_adjus...
python
def plot_lightness(saveplot=False): '''Plot lightness of colormaps together. ''' from colorspacious import cspace_converter dc = 1. x = np.linspace(0.0, 1.0, 256) locs = [] # locations for text labels fig = plt.figure(figsize=(16, 5)) ax = fig.add_subplot(111) fig.subplots_adjus...
[ "def", "plot_lightness", "(", "saveplot", "=", "False", ")", ":", "from", "colorspacious", "import", "cspace_converter", "dc", "=", "1.", "x", "=", "np", ".", "linspace", "(", "0.0", ",", "1.0", ",", "256", ")", "locs", "=", "[", "]", "# locations for te...
Plot lightness of colormaps together.
[ "Plot", "lightness", "of", "colormaps", "together", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/plots.py#L14-L61
train
matplotlib/cmocean
cmocean/plots.py
plot_gallery
def plot_gallery(saveplot=False): '''Make plot of colormaps and labels, like in the matplotlib gallery. :param saveplot=False: Whether to save the plot or not. ''' from colorspacious import cspace_converter gradient = np.linspace(0, 1, 256) gradient = np.vstack((gradient, gradient)) ...
python
def plot_gallery(saveplot=False): '''Make plot of colormaps and labels, like in the matplotlib gallery. :param saveplot=False: Whether to save the plot or not. ''' from colorspacious import cspace_converter gradient = np.linspace(0, 1, 256) gradient = np.vstack((gradient, gradient)) ...
[ "def", "plot_gallery", "(", "saveplot", "=", "False", ")", ":", "from", "colorspacious", "import", "cspace_converter", "gradient", "=", "np", ".", "linspace", "(", "0", ",", "1", ",", "256", ")", "gradient", "=", "np", ".", "vstack", "(", "(", "gradient"...
Make plot of colormaps and labels, like in the matplotlib gallery. :param saveplot=False: Whether to save the plot or not.
[ "Make", "plot", "of", "colormaps", "and", "labels", "like", "in", "the", "matplotlib", "gallery", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/plots.py#L64-L115
train
matplotlib/cmocean
cmocean/plots.py
wrap_viscm
def wrap_viscm(cmap, dpi=100, saveplot=False): '''Evaluate goodness of colormap using perceptual deltas. :param cmap: Colormap instance. :param dpi=100: dpi for saved image. :param saveplot=False: Whether to save the plot or not. ''' from viscm import viscm viscm(cmap) fig = plt.gcf(...
python
def wrap_viscm(cmap, dpi=100, saveplot=False): '''Evaluate goodness of colormap using perceptual deltas. :param cmap: Colormap instance. :param dpi=100: dpi for saved image. :param saveplot=False: Whether to save the plot or not. ''' from viscm import viscm viscm(cmap) fig = plt.gcf(...
[ "def", "wrap_viscm", "(", "cmap", ",", "dpi", "=", "100", ",", "saveplot", "=", "False", ")", ":", "from", "viscm", "import", "viscm", "viscm", "(", "cmap", ")", "fig", "=", "plt", ".", "gcf", "(", ")", "fig", ".", "set_size_inches", "(", "22", ","...
Evaluate goodness of colormap using perceptual deltas. :param cmap: Colormap instance. :param dpi=100: dpi for saved image. :param saveplot=False: Whether to save the plot or not.
[ "Evaluate", "goodness", "of", "colormap", "using", "perceptual", "deltas", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/plots.py#L118-L136
train
matplotlib/cmocean
cmocean/plots.py
quick_plot
def quick_plot(cmap, fname=None, fig=None, ax=None, N=10): '''Show quick test of a colormap. ''' x = np.linspace(0, 10, N) X, _ = np.meshgrid(x, x) if ax is None: fig = plt.figure() ax = fig.add_subplot(111) mappable = ax.pcolor(X, cmap=cmap) ax.set_title(cmap.name, fontsi...
python
def quick_plot(cmap, fname=None, fig=None, ax=None, N=10): '''Show quick test of a colormap. ''' x = np.linspace(0, 10, N) X, _ = np.meshgrid(x, x) if ax is None: fig = plt.figure() ax = fig.add_subplot(111) mappable = ax.pcolor(X, cmap=cmap) ax.set_title(cmap.name, fontsi...
[ "def", "quick_plot", "(", "cmap", ",", "fname", "=", "None", ",", "fig", "=", "None", ",", "ax", "=", "None", ",", "N", "=", "10", ")", ":", "x", "=", "np", ".", "linspace", "(", "0", ",", "10", ",", "N", ")", "X", ",", "_", "=", "np", "....
Show quick test of a colormap.
[ "Show", "quick", "test", "of", "a", "colormap", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/plots.py#L164-L183
train
matplotlib/cmocean
cmocean/tools.py
print_colormaps
def print_colormaps(cmaps, N=256, returnrgb=True, savefiles=False): '''Print colormaps in 256 RGB colors to text files. :param returnrgb=False: Whether or not to return the rgb array. Only makes sense to do if print one colormaps' rgb. ''' rgb = [] for cmap in cmaps: rgbtemp = cmap(np.l...
python
def print_colormaps(cmaps, N=256, returnrgb=True, savefiles=False): '''Print colormaps in 256 RGB colors to text files. :param returnrgb=False: Whether or not to return the rgb array. Only makes sense to do if print one colormaps' rgb. ''' rgb = [] for cmap in cmaps: rgbtemp = cmap(np.l...
[ "def", "print_colormaps", "(", "cmaps", ",", "N", "=", "256", ",", "returnrgb", "=", "True", ",", "savefiles", "=", "False", ")", ":", "rgb", "=", "[", "]", "for", "cmap", "in", "cmaps", ":", "rgbtemp", "=", "cmap", "(", "np", ".", "linspace", "(",...
Print colormaps in 256 RGB colors to text files. :param returnrgb=False: Whether or not to return the rgb array. Only makes sense to do if print one colormaps' rgb.
[ "Print", "colormaps", "in", "256", "RGB", "colors", "to", "text", "files", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/tools.py#L17-L34
train
matplotlib/cmocean
cmocean/tools.py
cmap
def cmap(rgbin, N=256): '''Input an array of rgb values to generate a colormap. :param rgbin: An [mx3] array, where m is the number of input color triplets which are interpolated between to make the colormap that is returned. hex values can be input instead, as [mx1] in single quotes with a #...
python
def cmap(rgbin, N=256): '''Input an array of rgb values to generate a colormap. :param rgbin: An [mx3] array, where m is the number of input color triplets which are interpolated between to make the colormap that is returned. hex values can be input instead, as [mx1] in single quotes with a #...
[ "def", "cmap", "(", "rgbin", ",", "N", "=", "256", ")", ":", "# rgb inputs here", "if", "not", "isinstance", "(", "rgbin", "[", "0", "]", ",", "_string_types", ")", ":", "# normalize to be out of 1 if out of 256 instead", "if", "rgbin", ".", "max", "(", ")",...
Input an array of rgb values to generate a colormap. :param rgbin: An [mx3] array, where m is the number of input color triplets which are interpolated between to make the colormap that is returned. hex values can be input instead, as [mx1] in single quotes with a #. :param N=10: The number o...
[ "Input", "an", "array", "of", "rgb", "values", "to", "generate", "a", "colormap", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/tools.py#L73-L91
train
matplotlib/cmocean
cmocean/tools.py
lighten
def lighten(cmapin, alpha): '''Lighten a colormap by adding alpha < 1. :param cmap: A colormap object, like cmocean.cm.matter. :param alpha: An alpha or transparency value to assign the colormap. Alpha of 1 is opaque and of 1 is fully transparent. Outputs resultant colormap object. This w...
python
def lighten(cmapin, alpha): '''Lighten a colormap by adding alpha < 1. :param cmap: A colormap object, like cmocean.cm.matter. :param alpha: An alpha or transparency value to assign the colormap. Alpha of 1 is opaque and of 1 is fully transparent. Outputs resultant colormap object. This w...
[ "def", "lighten", "(", "cmapin", ",", "alpha", ")", ":", "# set the alpha value while retaining the number of rows in original cmap", "return", "cmap", "(", "cmapin", "(", "np", ".", "linspace", "(", "0", ",", "1", ",", "cmapin", ".", "N", ")", ",", "alpha", "...
Lighten a colormap by adding alpha < 1. :param cmap: A colormap object, like cmocean.cm.matter. :param alpha: An alpha or transparency value to assign the colormap. Alpha of 1 is opaque and of 1 is fully transparent. Outputs resultant colormap object. This will lighten the appearance of a plo...
[ "Lighten", "a", "colormap", "by", "adding", "alpha", "<", "1", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/tools.py#L94-L109
train
matplotlib/cmocean
cmocean/tools.py
crop_by_percent
def crop_by_percent(cmap, per, which='both', N=None): '''Crop end or ends of a colormap by per percent. :param cmap: A colormap object, like cmocean.cm.matter. :param per: Percent of colormap to remove. If which=='both', take this percent off both ends of colormap. If which=='min' or which=='max', ...
python
def crop_by_percent(cmap, per, which='both', N=None): '''Crop end or ends of a colormap by per percent. :param cmap: A colormap object, like cmocean.cm.matter. :param per: Percent of colormap to remove. If which=='both', take this percent off both ends of colormap. If which=='min' or which=='max', ...
[ "def", "crop_by_percent", "(", "cmap", ",", "per", ",", "which", "=", "'both'", ",", "N", "=", "None", ")", ":", "if", "which", "==", "'both'", ":", "# take percent off both ends of cmap", "vmin", "=", "-", "100", "vmax", "=", "100", "pivot", "=", "0", ...
Crop end or ends of a colormap by per percent. :param cmap: A colormap object, like cmocean.cm.matter. :param per: Percent of colormap to remove. If which=='both', take this percent off both ends of colormap. If which=='min' or which=='max', take percent only off the specified end of colormap. ...
[ "Crop", "end", "or", "ends", "of", "a", "colormap", "by", "per", "percent", "." ]
37edd4a209a733d87dea7fed9eb22adc1d5a57c8
https://github.com/matplotlib/cmocean/blob/37edd4a209a733d87dea7fed9eb22adc1d5a57c8/cmocean/tools.py#L198-L270
train
enricobacis/wos
wos/client.py
WosClient._premium
def _premium(fn): """Premium decorator for APIs that require premium access level.""" @_functools.wraps(fn) def _fn(self, *args, **kwargs): if self._lite: raise RuntimeError('Premium API not available in lite access.') return fn(self, *args, **kwargs) ...
python
def _premium(fn): """Premium decorator for APIs that require premium access level.""" @_functools.wraps(fn) def _fn(self, *args, **kwargs): if self._lite: raise RuntimeError('Premium API not available in lite access.') return fn(self, *args, **kwargs) ...
[ "def", "_premium", "(", "fn", ")", ":", "@", "_functools", ".", "wraps", "(", "fn", ")", "def", "_fn", "(", "self", ",", "*", "args", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "_lite", ":", "raise", "RuntimeError", "(", "'Premium API no...
Premium decorator for APIs that require premium access level.
[ "Premium", "decorator", "for", "APIs", "that", "require", "premium", "access", "level", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L70-L77
train
enricobacis/wos
wos/client.py
WosClient.make_retrieveParameters
def make_retrieveParameters(offset=1, count=100, name='RS', sort='D'): """Create retrieve parameters dictionary to be used with APIs. :count: Number of records to display in the result. Cannot be less than 0 and cannot be greater than 100. If count is 0 then only the sum...
python
def make_retrieveParameters(offset=1, count=100, name='RS', sort='D'): """Create retrieve parameters dictionary to be used with APIs. :count: Number of records to display in the result. Cannot be less than 0 and cannot be greater than 100. If count is 0 then only the sum...
[ "def", "make_retrieveParameters", "(", "offset", "=", "1", ",", "count", "=", "100", ",", "name", "=", "'RS'", ",", "sort", "=", "'D'", ")", ":", "return", "_OrderedDict", "(", "[", "(", "'firstRecord'", ",", "offset", ")", ",", "(", "'count'", ",", ...
Create retrieve parameters dictionary to be used with APIs. :count: Number of records to display in the result. Cannot be less than 0 and cannot be greater than 100. If count is 0 then only the summary information will be returned. :offset: First record in results to re...
[ "Create", "retrieve", "parameters", "dictionary", "to", "be", "used", "with", "APIs", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L80-L102
train
enricobacis/wos
wos/client.py
WosClient.connect
def connect(self): """Authenticate to WOS and set the SID cookie.""" if not self._SID: self._SID = self._auth.service.authenticate() print('Authenticated (SID: %s)' % self._SID) self._search.set_options(headers={'Cookie': 'SID="%s"' % self._SID}) self._auth.optio...
python
def connect(self): """Authenticate to WOS and set the SID cookie.""" if not self._SID: self._SID = self._auth.service.authenticate() print('Authenticated (SID: %s)' % self._SID) self._search.set_options(headers={'Cookie': 'SID="%s"' % self._SID}) self._auth.optio...
[ "def", "connect", "(", "self", ")", ":", "if", "not", "self", ".", "_SID", ":", "self", ".", "_SID", "=", "self", ".", "_auth", ".", "service", ".", "authenticate", "(", ")", "print", "(", "'Authenticated (SID: %s)'", "%", "self", ".", "_SID", ")", "...
Authenticate to WOS and set the SID cookie.
[ "Authenticate", "to", "WOS", "and", "set", "the", "SID", "cookie", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L104-L112
train
enricobacis/wos
wos/client.py
WosClient.close
def close(self): """The close operation loads the session if it is valid and then closes it and releases the session seat. All the session data are deleted and become invalid after the request is processed. The session ID can no longer be used in subsequent requests.""" if self._...
python
def close(self): """The close operation loads the session if it is valid and then closes it and releases the session seat. All the session data are deleted and become invalid after the request is processed. The session ID can no longer be used in subsequent requests.""" if self._...
[ "def", "close", "(", "self", ")", ":", "if", "self", ".", "_SID", ":", "self", ".", "_auth", ".", "service", ".", "closeSession", "(", ")", "self", ".", "_SID", "=", "None" ]
The close operation loads the session if it is valid and then closes it and releases the session seat. All the session data are deleted and become invalid after the request is processed. The session ID can no longer be used in subsequent requests.
[ "The", "close", "operation", "loads", "the", "session", "if", "it", "is", "valid", "and", "then", "closes", "it", "and", "releases", "the", "session", "seat", ".", "All", "the", "session", "data", "are", "deleted", "and", "become", "invalid", "after", "the...
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L114-L121
train
enricobacis/wos
wos/client.py
WosClient.search
def search(self, query, count=5, offset=1, editions=None, symbolicTimeSpan=None, timeSpan=None, retrieveParameters=None): """The search operation submits a search query to the specified database edition and retrieves data. This operation returns a query ID that can be used in subs...
python
def search(self, query, count=5, offset=1, editions=None, symbolicTimeSpan=None, timeSpan=None, retrieveParameters=None): """The search operation submits a search query to the specified database edition and retrieves data. This operation returns a query ID that can be used in subs...
[ "def", "search", "(", "self", ",", "query", ",", "count", "=", "5", ",", "offset", "=", "1", ",", "editions", "=", "None", ",", "symbolicTimeSpan", "=", "None", ",", "timeSpan", "=", "None", ",", "retrieveParameters", "=", "None", ")", ":", "return", ...
The search operation submits a search query to the specified database edition and retrieves data. This operation returns a query ID that can be used in subsequent operations to retrieve more records. :query: User query for requesting data. The query parser will return errors for...
[ "The", "search", "operation", "submits", "a", "search", "query", "to", "the", "specified", "database", "edition", "and", "retrieves", "data", ".", "This", "operation", "returns", "a", "query", "ID", "that", "can", "be", "used", "in", "subsequent", "operations"...
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L124-L187
train
enricobacis/wos
wos/client.py
WosClient.citedReferences
def citedReferences(self, uid, count=100, offset=1, retrieveParameters=None): """The citedReferences operation returns references cited by an article identified by a unique identifier. You may specify only one identifier per request. :uid: Thomson Reuters unique ...
python
def citedReferences(self, uid, count=100, offset=1, retrieveParameters=None): """The citedReferences operation returns references cited by an article identified by a unique identifier. You may specify only one identifier per request. :uid: Thomson Reuters unique ...
[ "def", "citedReferences", "(", "self", ",", "uid", ",", "count", "=", "100", ",", "offset", "=", "1", ",", "retrieveParameters", "=", "None", ")", ":", "return", "self", ".", "_search", ".", "service", ".", "citedReferences", "(", "databaseId", "=", "'WO...
The citedReferences operation returns references cited by an article identified by a unique identifier. You may specify only one identifier per request. :uid: Thomson Reuters unique record identifier :count: Number of records to display in the result. Cannot be less than ...
[ "The", "citedReferences", "operation", "returns", "references", "cited", "by", "an", "article", "identified", "by", "a", "unique", "identifier", ".", "You", "may", "specify", "only", "one", "identifier", "per", "request", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L250-L274
train
enricobacis/wos
wos/client.py
WosClient.citedReferencesRetrieve
def citedReferencesRetrieve(self, queryId, count=100, offset=1, retrieveParameters=None): """The citedReferencesRetrieve operation submits a query returned by a previous citedReferences operation. This operation is useful for overcoming the retrieval limit of 100...
python
def citedReferencesRetrieve(self, queryId, count=100, offset=1, retrieveParameters=None): """The citedReferencesRetrieve operation submits a query returned by a previous citedReferences operation. This operation is useful for overcoming the retrieval limit of 100...
[ "def", "citedReferencesRetrieve", "(", "self", ",", "queryId", ",", "count", "=", "100", ",", "offset", "=", "1", ",", "retrieveParameters", "=", "None", ")", ":", "return", "self", ".", "_search", ".", "service", ".", "citedReferencesRetrieve", "(", "queryI...
The citedReferencesRetrieve operation submits a query returned by a previous citedReferences operation. This operation is useful for overcoming the retrieval limit of 100 records per query. For example, a citedReferences operation may find 106 cited references, as revealed by the conten...
[ "The", "citedReferencesRetrieve", "operation", "submits", "a", "query", "returned", "by", "a", "previous", "citedReferences", "operation", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/client.py#L278-L305
train
enricobacis/wos
wos/utils.py
single
def single(wosclient, wos_query, xml_query=None, count=5, offset=1): """Perform a single Web of Science query and then XML query the results.""" result = wosclient.search(wos_query, count, offset) xml = _re.sub(' xmlns="[^"]+"', '', result.records, count=1).encode('utf-8') if xml_query: xml = _E...
python
def single(wosclient, wos_query, xml_query=None, count=5, offset=1): """Perform a single Web of Science query and then XML query the results.""" result = wosclient.search(wos_query, count, offset) xml = _re.sub(' xmlns="[^"]+"', '', result.records, count=1).encode('utf-8') if xml_query: xml = _E...
[ "def", "single", "(", "wosclient", ",", "wos_query", ",", "xml_query", "=", "None", ",", "count", "=", "5", ",", "offset", "=", "1", ")", ":", "result", "=", "wosclient", ".", "search", "(", "wos_query", ",", "count", ",", "offset", ")", "xml", "=", ...
Perform a single Web of Science query and then XML query the results.
[ "Perform", "a", "single", "Web", "of", "Science", "query", "and", "then", "XML", "query", "the", "results", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/utils.py#L10-L18
train
enricobacis/wos
wos/utils.py
query
def query(wosclient, wos_query, xml_query=None, count=5, offset=1, limit=100): """Query Web of Science and XML query results with multiple requests.""" results = [single(wosclient, wos_query, xml_query, min(limit, count-x+1), x) for x in range(offset, count+1, limit)] if xml_query: re...
python
def query(wosclient, wos_query, xml_query=None, count=5, offset=1, limit=100): """Query Web of Science and XML query results with multiple requests.""" results = [single(wosclient, wos_query, xml_query, min(limit, count-x+1), x) for x in range(offset, count+1, limit)] if xml_query: re...
[ "def", "query", "(", "wosclient", ",", "wos_query", ",", "xml_query", "=", "None", ",", "count", "=", "5", ",", "offset", "=", "1", ",", "limit", "=", "100", ")", ":", "results", "=", "[", "single", "(", "wosclient", ",", "wos_query", ",", "xml_query...
Query Web of Science and XML query results with multiple requests.
[ "Query", "Web", "of", "Science", "and", "XML", "query", "results", "with", "multiple", "requests", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/utils.py#L21-L31
train
enricobacis/wos
wos/utils.py
doi_to_wos
def doi_to_wos(wosclient, doi): """Convert DOI to WOS identifier.""" results = query(wosclient, 'DO="%s"' % doi, './REC/UID', count=1) return results[0].lstrip('WOS:') if results else None
python
def doi_to_wos(wosclient, doi): """Convert DOI to WOS identifier.""" results = query(wosclient, 'DO="%s"' % doi, './REC/UID', count=1) return results[0].lstrip('WOS:') if results else None
[ "def", "doi_to_wos", "(", "wosclient", ",", "doi", ")", ":", "results", "=", "query", "(", "wosclient", ",", "'DO=\"%s\"'", "%", "doi", ",", "'./REC/UID'", ",", "count", "=", "1", ")", "return", "results", "[", "0", "]", ".", "lstrip", "(", "'WOS:'", ...
Convert DOI to WOS identifier.
[ "Convert", "DOI", "to", "WOS", "identifier", "." ]
a51f4d1a983c2c7529caac3e09606a432223630d
https://github.com/enricobacis/wos/blob/a51f4d1a983c2c7529caac3e09606a432223630d/wos/utils.py#L34-L37
train
adamchainz/django-perf-rec
django_perf_rec/sql.py
sql_fingerprint
def sql_fingerprint(query, hide_columns=True): """ Simplify a query, taking away exact values and fields selected. Imperfect but better than super explicit, value-dependent queries. """ parsed_query = parse(query)[0] sql_recursively_simplify(parsed_query, hide_columns=hide_columns) return s...
python
def sql_fingerprint(query, hide_columns=True): """ Simplify a query, taking away exact values and fields selected. Imperfect but better than super explicit, value-dependent queries. """ parsed_query = parse(query)[0] sql_recursively_simplify(parsed_query, hide_columns=hide_columns) return s...
[ "def", "sql_fingerprint", "(", "query", ",", "hide_columns", "=", "True", ")", ":", "parsed_query", "=", "parse", "(", "query", ")", "[", "0", "]", "sql_recursively_simplify", "(", "parsed_query", ",", "hide_columns", "=", "hide_columns", ")", "return", "str",...
Simplify a query, taking away exact values and fields selected. Imperfect but better than super explicit, value-dependent queries.
[ "Simplify", "a", "query", "taking", "away", "exact", "values", "and", "fields", "selected", "." ]
76a1874820b55bcbc2f95a85bbda3cb056584e2c
https://github.com/adamchainz/django-perf-rec/blob/76a1874820b55bcbc2f95a85bbda3cb056584e2c/django_perf_rec/sql.py#L7-L15
train
adamchainz/django-perf-rec
django_perf_rec/sql.py
match_keyword
def match_keyword(token, keywords): """ Checks if the given token represents one of the given keywords """ if not token: return False if not token.is_keyword: return False return token.value.upper() in keywords
python
def match_keyword(token, keywords): """ Checks if the given token represents one of the given keywords """ if not token: return False if not token.is_keyword: return False return token.value.upper() in keywords
[ "def", "match_keyword", "(", "token", ",", "keywords", ")", ":", "if", "not", "token", ":", "return", "False", "if", "not", "token", ".", "is_keyword", ":", "return", "False", "return", "token", ".", "value", ".", "upper", "(", ")", "in", "keywords" ]
Checks if the given token represents one of the given keywords
[ "Checks", "if", "the", "given", "token", "represents", "one", "of", "the", "given", "keywords" ]
76a1874820b55bcbc2f95a85bbda3cb056584e2c
https://github.com/adamchainz/django-perf-rec/blob/76a1874820b55bcbc2f95a85bbda3cb056584e2c/django_perf_rec/sql.py#L84-L93
train
adamchainz/django-perf-rec
django_perf_rec/sql.py
_is_group
def _is_group(token): """ sqlparse 0.2.2 changed it from a callable to a bool property """ is_group = token.is_group if isinstance(is_group, bool): return is_group else: return is_group()
python
def _is_group(token): """ sqlparse 0.2.2 changed it from a callable to a bool property """ is_group = token.is_group if isinstance(is_group, bool): return is_group else: return is_group()
[ "def", "_is_group", "(", "token", ")", ":", "is_group", "=", "token", ".", "is_group", "if", "isinstance", "(", "is_group", ",", "bool", ")", ":", "return", "is_group", "else", ":", "return", "is_group", "(", ")" ]
sqlparse 0.2.2 changed it from a callable to a bool property
[ "sqlparse", "0", ".", "2", ".", "2", "changed", "it", "from", "a", "callable", "to", "a", "bool", "property" ]
76a1874820b55bcbc2f95a85bbda3cb056584e2c
https://github.com/adamchainz/django-perf-rec/blob/76a1874820b55bcbc2f95a85bbda3cb056584e2c/django_perf_rec/sql.py#L96-L104
train
adamchainz/django-perf-rec
django_perf_rec/utils.py
sorted_names
def sorted_names(names): """ Sort a list of names but keep the word 'default' first if it's there. """ names = list(names) have_default = False if 'default' in names: names.remove('default') have_default = True sorted_names = sorted(names) if have_default: sort...
python
def sorted_names(names): """ Sort a list of names but keep the word 'default' first if it's there. """ names = list(names) have_default = False if 'default' in names: names.remove('default') have_default = True sorted_names = sorted(names) if have_default: sort...
[ "def", "sorted_names", "(", "names", ")", ":", "names", "=", "list", "(", "names", ")", "have_default", "=", "False", "if", "'default'", "in", "names", ":", "names", ".", "remove", "(", "'default'", ")", "have_default", "=", "True", "sorted_names", "=", ...
Sort a list of names but keep the word 'default' first if it's there.
[ "Sort", "a", "list", "of", "names", "but", "keep", "the", "word", "default", "first", "if", "it", "s", "there", "." ]
76a1874820b55bcbc2f95a85bbda3cb056584e2c
https://github.com/adamchainz/django-perf-rec/blob/76a1874820b55bcbc2f95a85bbda3cb056584e2c/django_perf_rec/utils.py#L82-L98
train
adamchainz/django-perf-rec
django_perf_rec/utils.py
record_diff
def record_diff(old, new): """ Generate a human-readable diff of two performance records. """ return '\n'.join(difflib.ndiff( ['%s: %s' % (k, v) for op in old for k, v in op.items()], ['%s: %s' % (k, v) for op in new for k, v in op.items()], ))
python
def record_diff(old, new): """ Generate a human-readable diff of two performance records. """ return '\n'.join(difflib.ndiff( ['%s: %s' % (k, v) for op in old for k, v in op.items()], ['%s: %s' % (k, v) for op in new for k, v in op.items()], ))
[ "def", "record_diff", "(", "old", ",", "new", ")", ":", "return", "'\\n'", ".", "join", "(", "difflib", ".", "ndiff", "(", "[", "'%s: %s'", "%", "(", "k", ",", "v", ")", "for", "op", "in", "old", "for", "k", ",", "v", "in", "op", ".", "items", ...
Generate a human-readable diff of two performance records.
[ "Generate", "a", "human", "-", "readable", "diff", "of", "two", "performance", "records", "." ]
76a1874820b55bcbc2f95a85bbda3cb056584e2c
https://github.com/adamchainz/django-perf-rec/blob/76a1874820b55bcbc2f95a85bbda3cb056584e2c/django_perf_rec/utils.py#L101-L108
train
reportportal/client-Python
reportportal_client/service_async.py
QueueListener.dequeue
def dequeue(self, block=True): """Dequeue a record and return item.""" return self.queue.get(block, self.queue_get_timeout)
python
def dequeue(self, block=True): """Dequeue a record and return item.""" return self.queue.get(block, self.queue_get_timeout)
[ "def", "dequeue", "(", "self", ",", "block", "=", "True", ")", ":", "return", "self", ".", "queue", ".", "get", "(", "block", ",", "self", ".", "queue_get_timeout", ")" ]
Dequeue a record and return item.
[ "Dequeue", "a", "record", "and", "return", "item", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L39-L41
train
reportportal/client-Python
reportportal_client/service_async.py
QueueListener.start
def start(self): """Start the listener. This starts up a background thread to monitor the queue for items to process. """ self._thread = t = threading.Thread(target=self._monitor) t.setDaemon(True) t.start()
python
def start(self): """Start the listener. This starts up a background thread to monitor the queue for items to process. """ self._thread = t = threading.Thread(target=self._monitor) t.setDaemon(True) t.start()
[ "def", "start", "(", "self", ")", ":", "self", ".", "_thread", "=", "t", "=", "threading", ".", "Thread", "(", "target", "=", "self", ".", "_monitor", ")", "t", ".", "setDaemon", "(", "True", ")", "t", ".", "start", "(", ")" ]
Start the listener. This starts up a background thread to monitor the queue for items to process.
[ "Start", "the", "listener", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L43-L51
train
reportportal/client-Python
reportportal_client/service_async.py
QueueListener.handle
def handle(self, record): """Handle an item. This just loops through the handlers offering them the record to handle. """ record = self.prepare(record) for handler in self.handlers: handler(record)
python
def handle(self, record): """Handle an item. This just loops through the handlers offering them the record to handle. """ record = self.prepare(record) for handler in self.handlers: handler(record)
[ "def", "handle", "(", "self", ",", "record", ")", ":", "record", "=", "self", ".", "prepare", "(", "record", ")", "for", "handler", "in", "self", ".", "handlers", ":", "handler", "(", "record", ")" ]
Handle an item. This just loops through the handlers offering them the record to handle.
[ "Handle", "an", "item", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L62-L70
train
reportportal/client-Python
reportportal_client/service_async.py
QueueListener._monitor
def _monitor(self): """Monitor the queue for items, and ask the handler to deal with them. This method runs on a separate, internal thread. The thread will terminate if it sees a sentinel object in the queue. """ err_msg = ("invalid internal state:" " _stop_no...
python
def _monitor(self): """Monitor the queue for items, and ask the handler to deal with them. This method runs on a separate, internal thread. The thread will terminate if it sees a sentinel object in the queue. """ err_msg = ("invalid internal state:" " _stop_no...
[ "def", "_monitor", "(", "self", ")", ":", "err_msg", "=", "(", "\"invalid internal state:\"", "\" _stop_nowait can not be set if _stop is not set\"", ")", "assert", "self", ".", "_stop", ".", "isSet", "(", ")", "or", "not", "self", ".", "_stop_nowait", ".", "isSet...
Monitor the queue for items, and ask the handler to deal with them. This method runs on a separate, internal thread. The thread will terminate if it sees a sentinel object in the queue.
[ "Monitor", "the", "queue", "for", "items", "and", "ask", "the", "handler", "to", "deal", "with", "them", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L72-L106
train
reportportal/client-Python
reportportal_client/service_async.py
QueueListener.stop
def stop(self, nowait=False): """Stop the listener. This asks the thread to terminate, and then waits for it to do so. Note that if you don't call this before your application exits, there may be some records still left on the queue, which won't be processed. If nowait is False ...
python
def stop(self, nowait=False): """Stop the listener. This asks the thread to terminate, and then waits for it to do so. Note that if you don't call this before your application exits, there may be some records still left on the queue, which won't be processed. If nowait is False ...
[ "def", "stop", "(", "self", ",", "nowait", "=", "False", ")", ":", "self", ".", "_stop", ".", "set", "(", ")", "if", "nowait", ":", "self", ".", "_stop_nowait", ".", "set", "(", ")", "self", ".", "queue", ".", "put_nowait", "(", "self", ".", "_se...
Stop the listener. This asks the thread to terminate, and then waits for it to do so. Note that if you don't call this before your application exits, there may be some records still left on the queue, which won't be processed. If nowait is False then thread will handle remaining items i...
[ "Stop", "the", "listener", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L108-L126
train
reportportal/client-Python
reportportal_client/service_async.py
ReportPortalServiceAsync.terminate
def terminate(self, nowait=False): """Finalize and stop service Args: nowait: set to True to terminate immediately and skip processing messages still in the queue """ logger.debug("Acquiring lock for service termination") with self.lock: l...
python
def terminate(self, nowait=False): """Finalize and stop service Args: nowait: set to True to terminate immediately and skip processing messages still in the queue """ logger.debug("Acquiring lock for service termination") with self.lock: l...
[ "def", "terminate", "(", "self", ",", "nowait", "=", "False", ")", ":", "logger", ".", "debug", "(", "\"Acquiring lock for service termination\"", ")", "with", "self", ".", "lock", ":", "logger", ".", "debug", "(", "\"Terminating service\"", ")", "if", "not", ...
Finalize and stop service Args: nowait: set to True to terminate immediately and skip processing messages still in the queue
[ "Finalize", "and", "stop", "service" ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L169-L196
train
reportportal/client-Python
reportportal_client/service_async.py
ReportPortalServiceAsync.process_log
def process_log(self, **log_item): """Special handler for log messages. Accumulate incoming log messages and post them in batch. """ logger.debug("Processing log item: %s", log_item) self.log_batch.append(log_item) if len(self.log_batch) >= self.log_batch_size: ...
python
def process_log(self, **log_item): """Special handler for log messages. Accumulate incoming log messages and post them in batch. """ logger.debug("Processing log item: %s", log_item) self.log_batch.append(log_item) if len(self.log_batch) >= self.log_batch_size: ...
[ "def", "process_log", "(", "self", ",", "*", "*", "log_item", ")", ":", "logger", ".", "debug", "(", "\"Processing log item: %s\"", ",", "log_item", ")", "self", ".", "log_batch", ".", "append", "(", "log_item", ")", "if", "len", "(", "self", ".", "log_b...
Special handler for log messages. Accumulate incoming log messages and post them in batch.
[ "Special", "handler", "for", "log", "messages", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L206-L214
train
reportportal/client-Python
reportportal_client/service_async.py
ReportPortalServiceAsync.process_item
def process_item(self, item): """Main item handler. Called by queue listener. """ logger.debug("Processing item: %s (queue size: %s)", item, self.queue.qsize()) method, kwargs = item if method not in self.supported_methods: raise Error("...
python
def process_item(self, item): """Main item handler. Called by queue listener. """ logger.debug("Processing item: %s (queue size: %s)", item, self.queue.qsize()) method, kwargs = item if method not in self.supported_methods: raise Error("...
[ "def", "process_item", "(", "self", ",", "item", ")", ":", "logger", ".", "debug", "(", "\"Processing item: %s (queue size: %s)\"", ",", "item", ",", "self", ".", "queue", ".", "qsize", "(", ")", ")", "method", ",", "kwargs", "=", "item", "if", "method", ...
Main item handler. Called by queue listener.
[ "Main", "item", "handler", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L216-L239
train
reportportal/client-Python
reportportal_client/service_async.py
ReportPortalServiceAsync.log
def log(self, time, message, level=None, attachment=None): """Logs a message with attachment. The attachment is a dict of: name: name of attachment data: file content mime: content type for attachment """ logger.debug("log queued") args = { ...
python
def log(self, time, message, level=None, attachment=None): """Logs a message with attachment. The attachment is a dict of: name: name of attachment data: file content mime: content type for attachment """ logger.debug("log queued") args = { ...
[ "def", "log", "(", "self", ",", "time", ",", "message", ",", "level", "=", "None", ",", "attachment", "=", "None", ")", ":", "logger", ".", "debug", "(", "\"log queued\"", ")", "args", "=", "{", "\"time\"", ":", "time", ",", "\"message\"", ":", "mess...
Logs a message with attachment. The attachment is a dict of: name: name of attachment data: file content mime: content type for attachment
[ "Logs", "a", "message", "with", "attachment", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service_async.py#L296-L312
train
reportportal/client-Python
reportportal_client/service.py
ReportPortalService.log_batch
def log_batch(self, log_data): """Logs batch of messages with attachment. Args: log_data: list of log records. log record is a dict of; time, message, level, attachment attachment is a dict of: name: name of attachment ...
python
def log_batch(self, log_data): """Logs batch of messages with attachment. Args: log_data: list of log records. log record is a dict of; time, message, level, attachment attachment is a dict of: name: name of attachment ...
[ "def", "log_batch", "(", "self", ",", "log_data", ")", ":", "url", "=", "uri_join", "(", "self", ".", "base_url", ",", "\"log\"", ")", "attachments", "=", "[", "]", "for", "log_item", "in", "log_data", ":", "log_item", "[", "\"item_id\"", "]", "=", "se...
Logs batch of messages with attachment. Args: log_data: list of log records. log record is a dict of; time, message, level, attachment attachment is a dict of: name: name of attachment data: fileobj or content ...
[ "Logs", "batch", "of", "messages", "with", "attachment", "." ]
8d22445d0de73f46fb23d0c0e49ac309335173ce
https://github.com/reportportal/client-Python/blob/8d22445d0de73f46fb23d0c0e49ac309335173ce/reportportal_client/service.py#L250-L312
train
saltstack/pytest-salt
versioneer.py
git_versions_from_keywords
def git_versions_from_keywords(keywords, tag_prefix, verbose): """Get version information from git keywords.""" if not keywords: raise NotThisMethod("no keywords at all, weird") date = keywords.get("date") if date is not None: # git-2.2.0 added "%cI", which expands to an ISO-8601 -compli...
python
def git_versions_from_keywords(keywords, tag_prefix, verbose): """Get version information from git keywords.""" if not keywords: raise NotThisMethod("no keywords at all, weird") date = keywords.get("date") if date is not None: # git-2.2.0 added "%cI", which expands to an ISO-8601 -compli...
[ "def", "git_versions_from_keywords", "(", "keywords", ",", "tag_prefix", ",", "verbose", ")", ":", "if", "not", "keywords", ":", "raise", "NotThisMethod", "(", "\"no keywords at all, weird\"", ")", "date", "=", "keywords", ".", "get", "(", "\"date\"", ")", "if",...
Get version information from git keywords.
[ "Get", "version", "information", "from", "git", "keywords", "." ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/versioneer.py#L1042-L1094
train
saltstack/pytest-salt
versioneer.py
render_pep440_branch_based
def render_pep440_branch_based(pieces): """Build up version string, with post-release "local version identifier". Our goal: TAG[+DISTANCE.BRANCH_gHEX[.dirty]] . Note that if you get a tagged build and then dirty it, you'll get TAG+0.BRANCH_gHEX.dirty Exceptions: 1: no tags. git_describe was just H...
python
def render_pep440_branch_based(pieces): """Build up version string, with post-release "local version identifier". Our goal: TAG[+DISTANCE.BRANCH_gHEX[.dirty]] . Note that if you get a tagged build and then dirty it, you'll get TAG+0.BRANCH_gHEX.dirty Exceptions: 1: no tags. git_describe was just H...
[ "def", "render_pep440_branch_based", "(", "pieces", ")", ":", "replacements", "=", "(", "[", "' '", ",", "'.'", "]", ",", "[", "'('", ",", "''", "]", ",", "[", "')'", ",", "''", "]", ",", "[", "'\\\\'", ",", "'.'", "]", ",", "[", "'/'", ",", "'...
Build up version string, with post-release "local version identifier". Our goal: TAG[+DISTANCE.BRANCH_gHEX[.dirty]] . Note that if you get a tagged build and then dirty it, you'll get TAG+0.BRANCH_gHEX.dirty Exceptions: 1: no tags. git_describe was just HEX. 0+untagged.DISTANCE.BRANCH_gHEX[.dirty]
[ "Build", "up", "version", "string", "with", "post", "-", "release", "local", "version", "identifier", "." ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/versioneer.py#L1458-L1495
train
saltstack/pytest-salt
versioneer.py
render
def render(pieces, style): """Render the given version pieces into the requested style.""" if pieces["error"]: return {"version": "unknown", "full-revisionid": pieces.get("long"), "dirty": None, "error": pieces["error"], "date": None} ...
python
def render(pieces, style): """Render the given version pieces into the requested style.""" if pieces["error"]: return {"version": "unknown", "full-revisionid": pieces.get("long"), "dirty": None, "error": pieces["error"], "date": None} ...
[ "def", "render", "(", "pieces", ",", "style", ")", ":", "if", "pieces", "[", "\"error\"", "]", ":", "return", "{", "\"version\"", ":", "\"unknown\"", ",", "\"full-revisionid\"", ":", "pieces", ".", "get", "(", "\"long\"", ")", ",", "\"dirty\"", ":", "Non...
Render the given version pieces into the requested style.
[ "Render", "the", "given", "version", "pieces", "into", "the", "requested", "style", "." ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/versioneer.py#L1498-L1529
train
saltstack/pytest-salt
versioneer.py
do_setup
def do_setup(): """Do main VCS-independent setup function for installing Versioneer.""" root = get_root() try: cfg = get_config_from_root(root) except (EnvironmentError, configparser.NoSectionError, configparser.NoOptionError) as e: if isinstance(e, (EnvironmentError, configp...
python
def do_setup(): """Do main VCS-independent setup function for installing Versioneer.""" root = get_root() try: cfg = get_config_from_root(root) except (EnvironmentError, configparser.NoSectionError, configparser.NoOptionError) as e: if isinstance(e, (EnvironmentError, configp...
[ "def", "do_setup", "(", ")", ":", "root", "=", "get_root", "(", ")", "try", ":", "cfg", "=", "get_config_from_root", "(", "root", ")", "except", "(", "EnvironmentError", ",", "configparser", ".", "NoSectionError", ",", "configparser", ".", "NoOptionError", "...
Do main VCS-independent setup function for installing Versioneer.
[ "Do", "main", "VCS", "-", "independent", "setup", "function", "for", "installing", "Versioneer", "." ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/versioneer.py#L1846-L1925
train
saltstack/pytest-salt
versioneer.py
scan_setup_py
def scan_setup_py(): """Validate the contents of setup.py against Versioneer's expectations.""" found = set() setters = False errors = 0 with open("setup.py", "r") as f: for line in f.readlines(): if "import versioneer" in line: found.add("import") if ...
python
def scan_setup_py(): """Validate the contents of setup.py against Versioneer's expectations.""" found = set() setters = False errors = 0 with open("setup.py", "r") as f: for line in f.readlines(): if "import versioneer" in line: found.add("import") if ...
[ "def", "scan_setup_py", "(", ")", ":", "found", "=", "set", "(", ")", "setters", "=", "False", "errors", "=", "0", "with", "open", "(", "\"setup.py\"", ",", "\"r\"", ")", "as", "f", ":", "for", "line", "in", "f", ".", "readlines", "(", ")", ":", ...
Validate the contents of setup.py against Versioneer's expectations.
[ "Validate", "the", "contents", "of", "setup", ".", "py", "against", "Versioneer", "s", "expectations", "." ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/versioneer.py#L1928-L1962
train
saltstack/pytest-salt
setup.py
read
def read(fname): ''' Read a file from the directory where setup.py resides ''' file_path = os.path.join(SETUP_DIRNAME, fname) with codecs.open(file_path, encoding='utf-8') as rfh: return rfh.read()
python
def read(fname): ''' Read a file from the directory where setup.py resides ''' file_path = os.path.join(SETUP_DIRNAME, fname) with codecs.open(file_path, encoding='utf-8') as rfh: return rfh.read()
[ "def", "read", "(", "fname", ")", ":", "file_path", "=", "os", ".", "path", ".", "join", "(", "SETUP_DIRNAME", ",", "fname", ")", "with", "codecs", ".", "open", "(", "file_path", ",", "encoding", "=", "'utf-8'", ")", "as", "rfh", ":", "return", "rfh"...
Read a file from the directory where setup.py resides
[ "Read", "a", "file", "from", "the", "directory", "where", "setup", ".", "py", "resides" ]
3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d
https://github.com/saltstack/pytest-salt/blob/3e8c379b3636c64707e7a08b8eb6c9af20a1ac4d/setup.py#L23-L29
train
jeongyoonlee/Kaggler
kaggler/model/nn.py
NN.func
def func(self, w, *args): """Return the costs of the neural network for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers args: fea...
python
def func(self, w, *args): """Return the costs of the neural network for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers args: fea...
[ "def", "func", "(", "self", ",", "w", ",", "*", "args", ")", ":", "x0", "=", "args", "[", "0", "]", "x1", "=", "args", "[", "1", "]", "n0", "=", "x0", ".", "shape", "[", "0", "]", "n1", "=", "x1", ".", "shape", "[", "0", "]", "# n -- numb...
Return the costs of the neural network for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers args: features (args[0]) and target (args[1]) ...
[ "Return", "the", "costs", "of", "the", "neural", "network", "for", "predictions", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/model/nn.py#L204-L256
train
jeongyoonlee/Kaggler
kaggler/model/nn.py
NN.fprime
def fprime(self, w, *args): """Return the derivatives of the cost function for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers ar...
python
def fprime(self, w, *args): """Return the derivatives of the cost function for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers ar...
[ "def", "fprime", "(", "self", ",", "w", ",", "*", "args", ")", ":", "x0", "=", "args", "[", "0", "]", "x1", "=", "args", "[", "1", "]", "n0", "=", "x0", ".", "shape", "[", "0", "]", "n1", "=", "x1", ".", "shape", "[", "0", "]", "# n -- nu...
Return the derivatives of the cost function for predictions. Args: w (array of float): weight vectors such that: w[:-h1] -- weights between the input and h layers w[-h1:] -- weights between the h and output layers args: features (args[0]) and target (args...
[ "Return", "the", "derivatives", "of", "the", "cost", "function", "for", "predictions", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/model/nn.py#L258-L320
train
jeongyoonlee/Kaggler
kaggler/preprocessing/data.py
Normalizer._transform_col
def _transform_col(self, x, col): """Normalize one numerical column. Args: x (numpy.array): a numerical column to normalize col (int): column index Returns: A normalized feature vector. """ return norm.ppf(self.ecdfs[col](x) * .998 + .001)
python
def _transform_col(self, x, col): """Normalize one numerical column. Args: x (numpy.array): a numerical column to normalize col (int): column index Returns: A normalized feature vector. """ return norm.ppf(self.ecdfs[col](x) * .998 + .001)
[ "def", "_transform_col", "(", "self", ",", "x", ",", "col", ")", ":", "return", "norm", ".", "ppf", "(", "self", ".", "ecdfs", "[", "col", "]", "(", "x", ")", "*", ".998", "+", ".001", ")" ]
Normalize one numerical column. Args: x (numpy.array): a numerical column to normalize col (int): column index Returns: A normalized feature vector.
[ "Normalize", "one", "numerical", "column", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/preprocessing/data.py#L66-L77
train
jeongyoonlee/Kaggler
kaggler/preprocessing/data.py
LabelEncoder._get_label_encoder_and_max
def _get_label_encoder_and_max(self, x): """Return a mapping from values and its maximum of a column to integer labels. Args: x (pandas.Series): a categorical column to encode. Returns: label_encoder (dict): mapping from values of features to integers max_la...
python
def _get_label_encoder_and_max(self, x): """Return a mapping from values and its maximum of a column to integer labels. Args: x (pandas.Series): a categorical column to encode. Returns: label_encoder (dict): mapping from values of features to integers max_la...
[ "def", "_get_label_encoder_and_max", "(", "self", ",", "x", ")", ":", "# NaN cannot be used as a key for dict. So replace it with a random integer.", "label_count", "=", "x", ".", "fillna", "(", "NAN_INT", ")", ".", "value_counts", "(", ")", "n_uniq", "=", "label_count"...
Return a mapping from values and its maximum of a column to integer labels. Args: x (pandas.Series): a categorical column to encode. Returns: label_encoder (dict): mapping from values of features to integers max_label (int): maximum label
[ "Return", "a", "mapping", "from", "values", "and", "its", "maximum", "of", "a", "column", "to", "integer", "labels", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/preprocessing/data.py#L101-L128
train
jeongyoonlee/Kaggler
kaggler/preprocessing/data.py
LabelEncoder._transform_col
def _transform_col(self, x, i): """Encode one categorical column into labels. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: x (pandas.Series): a column with labels. """ return x.fillna(NAN_INT).map(sel...
python
def _transform_col(self, x, i): """Encode one categorical column into labels. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: x (pandas.Series): a column with labels. """ return x.fillna(NAN_INT).map(sel...
[ "def", "_transform_col", "(", "self", ",", "x", ",", "i", ")", ":", "return", "x", ".", "fillna", "(", "NAN_INT", ")", ".", "map", "(", "self", ".", "label_encoders", "[", "i", "]", ")", ".", "fillna", "(", "0", ")" ]
Encode one categorical column into labels. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: x (pandas.Series): a column with labels.
[ "Encode", "one", "categorical", "column", "into", "labels", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/preprocessing/data.py#L130-L140
train
jeongyoonlee/Kaggler
kaggler/preprocessing/data.py
OneHotEncoder._transform_col
def _transform_col(self, x, i): """Encode one categorical column into sparse matrix with one-hot-encoding. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: X (scipy.sparse.coo_matrix): sparse matrix encoding a categorica...
python
def _transform_col(self, x, i): """Encode one categorical column into sparse matrix with one-hot-encoding. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: X (scipy.sparse.coo_matrix): sparse matrix encoding a categorica...
[ "def", "_transform_col", "(", "self", ",", "x", ",", "i", ")", ":", "labels", "=", "self", ".", "label_encoder", ".", "_transform_col", "(", "x", ",", "i", ")", "label_max", "=", "self", ".", "label_encoder", ".", "label_maxes", "[", "i", "]", "# build...
Encode one categorical column into sparse matrix with one-hot-encoding. Args: x (pandas.Series): a categorical column to encode i (int): column index Returns: X (scipy.sparse.coo_matrix): sparse matrix encoding a categorical ...
[ "Encode", "one", "categorical", "column", "into", "sparse", "matrix", "with", "one", "-", "hot", "-", "encoding", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/preprocessing/data.py#L212-L237
train
jeongyoonlee/Kaggler
kaggler/preprocessing/data.py
OneHotEncoder.transform
def transform(self, X): """Encode categorical columns into sparse matrix with one-hot-encoding. Args: X (pandas.DataFrame): categorical columns to encode Returns: X_new (scipy.sparse.coo_matrix): sparse matrix encoding categorical ...
python
def transform(self, X): """Encode categorical columns into sparse matrix with one-hot-encoding. Args: X (pandas.DataFrame): categorical columns to encode Returns: X_new (scipy.sparse.coo_matrix): sparse matrix encoding categorical ...
[ "def", "transform", "(", "self", ",", "X", ")", ":", "for", "i", ",", "col", "in", "enumerate", "(", "X", ".", "columns", ")", ":", "X_col", "=", "self", ".", "_transform_col", "(", "X", "[", "col", "]", ",", "i", ")", "if", "X_col", "is", "not...
Encode categorical columns into sparse matrix with one-hot-encoding. Args: X (pandas.DataFrame): categorical columns to encode Returns: X_new (scipy.sparse.coo_matrix): sparse matrix encoding categorical variables into dummy variable...
[ "Encode", "categorical", "columns", "into", "sparse", "matrix", "with", "one", "-", "hot", "-", "encoding", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/preprocessing/data.py#L244-L267
train
jeongyoonlee/Kaggler
kaggler/online_model/DecisionTree/OnlineClassificationTree.py
ClassificationTree.predict
def predict(self, x): """ Make prediction recursively. Use both the samples inside the current node and the statistics inherited from parent. """ if self._is_leaf(): d1 = self.predict_initialize['count_dict'] d2 = count_dict(self.Y) for key, va...
python
def predict(self, x): """ Make prediction recursively. Use both the samples inside the current node and the statistics inherited from parent. """ if self._is_leaf(): d1 = self.predict_initialize['count_dict'] d2 = count_dict(self.Y) for key, va...
[ "def", "predict", "(", "self", ",", "x", ")", ":", "if", "self", ".", "_is_leaf", "(", ")", ":", "d1", "=", "self", ".", "predict_initialize", "[", "'count_dict'", "]", "d2", "=", "count_dict", "(", "self", ".", "Y", ")", "for", "key", ",", "value"...
Make prediction recursively. Use both the samples inside the current node and the statistics inherited from parent.
[ "Make", "prediction", "recursively", ".", "Use", "both", "the", "samples", "inside", "the", "current", "node", "and", "the", "statistics", "inherited", "from", "parent", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/online_model/DecisionTree/OnlineClassificationTree.py#L74-L92
train
jeongyoonlee/Kaggler
kaggler/ensemble/linear.py
netflix
def netflix(es, ps, e0, l=.0001): """ Combine predictions with the optimal weights to minimize RMSE. Args: es (list of float): RMSEs of predictions ps (list of np.array): predictions e0 (float): RMSE of all zero prediction l (float): lambda as in the ridge regression Re...
python
def netflix(es, ps, e0, l=.0001): """ Combine predictions with the optimal weights to minimize RMSE. Args: es (list of float): RMSEs of predictions ps (list of np.array): predictions e0 (float): RMSE of all zero prediction l (float): lambda as in the ridge regression Re...
[ "def", "netflix", "(", "es", ",", "ps", ",", "e0", ",", "l", "=", ".0001", ")", ":", "m", "=", "len", "(", "es", ")", "n", "=", "len", "(", "ps", "[", "0", "]", ")", "X", "=", "np", ".", "stack", "(", "ps", ")", ".", "T", "pTy", "=", ...
Combine predictions with the optimal weights to minimize RMSE. Args: es (list of float): RMSEs of predictions ps (list of np.array): predictions e0 (float): RMSE of all zero prediction l (float): lambda as in the ridge regression Returns: Ensemble prediction (np.array) ...
[ "Combine", "predictions", "with", "the", "optimal", "weights", "to", "minimize", "RMSE", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/ensemble/linear.py#L7-L28
train
jeongyoonlee/Kaggler
kaggler/data_io.py
save_data
def save_data(X, y, path): """Save data as a CSV, LibSVM or HDF5 file based on the file extension. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. If None, all zero vector will be saved. path (str): Path to the CSV, LibSVM or HDF5 file to save data. ...
python
def save_data(X, y, path): """Save data as a CSV, LibSVM or HDF5 file based on the file extension. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. If None, all zero vector will be saved. path (str): Path to the CSV, LibSVM or HDF5 file to save data. ...
[ "def", "save_data", "(", "X", ",", "y", ",", "path", ")", ":", "catalog", "=", "{", "'.csv'", ":", "save_csv", ",", "'.sps'", ":", "save_libsvm", ",", "'.h5'", ":", "save_hdf5", "}", "ext", "=", "os", ".", "path", ".", "splitext", "(", "path", ")",...
Save data as a CSV, LibSVM or HDF5 file based on the file extension. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. If None, all zero vector will be saved. path (str): Path to the CSV, LibSVM or HDF5 file to save data.
[ "Save", "data", "as", "a", "CSV", "LibSVM", "or", "HDF5", "file", "based", "on", "the", "file", "extension", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L34-L50
train
jeongyoonlee/Kaggler
kaggler/data_io.py
save_csv
def save_csv(X, y, path): """Save data as a CSV file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data. """ if sparse.issparse(X): X = X.todense() np.savetxt(path, np.hstack((y.reshape...
python
def save_csv(X, y, path): """Save data as a CSV file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data. """ if sparse.issparse(X): X = X.todense() np.savetxt(path, np.hstack((y.reshape...
[ "def", "save_csv", "(", "X", ",", "y", ",", "path", ")", ":", "if", "sparse", ".", "issparse", "(", "X", ")", ":", "X", "=", "X", ".", "todense", "(", ")", "np", ".", "savetxt", "(", "path", ",", "np", ".", "hstack", "(", "(", "y", ".", "re...
Save data as a CSV file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data.
[ "Save", "data", "as", "a", "CSV", "file", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L53-L65
train
jeongyoonlee/Kaggler
kaggler/data_io.py
save_libsvm
def save_libsvm(X, y, path): """Save data as a LibSVM file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data. """ dump_svmlight_file(X, y, path, zero_based=False)
python
def save_libsvm(X, y, path): """Save data as a LibSVM file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data. """ dump_svmlight_file(X, y, path, zero_based=False)
[ "def", "save_libsvm", "(", "X", ",", "y", ",", "path", ")", ":", "dump_svmlight_file", "(", "X", ",", "y", ",", "path", ",", "zero_based", "=", "False", ")" ]
Save data as a LibSVM file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the CSV file to save data.
[ "Save", "data", "as", "a", "LibSVM", "file", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L68-L77
train
jeongyoonlee/Kaggler
kaggler/data_io.py
save_hdf5
def save_hdf5(X, y, path): """Save data as a HDF5 file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the HDF5 file to save data. """ with h5py.File(path, 'w') as f: is_sparse = 1 if sparse.issparse(X) else 0 ...
python
def save_hdf5(X, y, path): """Save data as a HDF5 file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the HDF5 file to save data. """ with h5py.File(path, 'w') as f: is_sparse = 1 if sparse.issparse(X) else 0 ...
[ "def", "save_hdf5", "(", "X", ",", "y", ",", "path", ")", ":", "with", "h5py", ".", "File", "(", "path", ",", "'w'", ")", "as", "f", ":", "is_sparse", "=", "1", "if", "sparse", ".", "issparse", "(", "X", ")", "else", "0", "f", "[", "'issparse'"...
Save data as a HDF5 file. Args: X (numpy or scipy sparse matrix): Data matrix y (numpy array): Target vector. path (str): Path to the HDF5 file to save data.
[ "Save", "data", "as", "a", "HDF5", "file", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L80-L103
train
jeongyoonlee/Kaggler
kaggler/data_io.py
load_data
def load_data(path, dense=False): """Load data from a CSV, LibSVM or HDF5 file based on the file extension. Args: path (str): A path to the CSV, LibSVM or HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be d...
python
def load_data(path, dense=False): """Load data from a CSV, LibSVM or HDF5 file based on the file extension. Args: path (str): A path to the CSV, LibSVM or HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be d...
[ "def", "load_data", "(", "path", ",", "dense", "=", "False", ")", ":", "catalog", "=", "{", "'.csv'", ":", "load_csv", ",", "'.sps'", ":", "load_svmlight_file", ",", "'.h5'", ":", "load_hdf5", "}", "ext", "=", "os", ".", "path", ".", "splitext", "(", ...
Load data from a CSV, LibSVM or HDF5 file based on the file extension. Args: path (str): A path to the CSV, LibSVM or HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Retu...
[ "Load", "data", "from", "a", "CSV", "LibSVM", "or", "HDF5", "file", "based", "on", "the", "file", "extension", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L106-L127
train
jeongyoonlee/Kaggler
kaggler/data_io.py
load_csv
def load_csv(path): """Load data from a CSV file. Args: path (str): A path to the CSV format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and ta...
python
def load_csv(path): """Load data from a CSV file. Args: path (str): A path to the CSV format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and ta...
[ "def", "load_csv", "(", "path", ")", ":", "with", "open", "(", "path", ")", "as", "f", ":", "line", "=", "f", ".", "readline", "(", ")", ".", "strip", "(", ")", "X", "=", "np", ".", "loadtxt", "(", "path", ",", "delimiter", "=", "','", ",", "...
Load data from a CSV file. Args: path (str): A path to the CSV format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and target vector y
[ "Load", "data", "from", "a", "CSV", "file", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L130-L151
train
jeongyoonlee/Kaggler
kaggler/data_io.py
load_hdf5
def load_hdf5(path): """Load data from a HDF5 file. Args: path (str): A path to the HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and...
python
def load_hdf5(path): """Load data from a HDF5 file. Args: path (str): A path to the HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and...
[ "def", "load_hdf5", "(", "path", ")", ":", "with", "h5py", ".", "File", "(", "path", ",", "'r'", ")", "as", "f", ":", "is_sparse", "=", "f", "[", "'issparse'", "]", "[", "...", "]", "if", "is_sparse", ":", "shape", "=", "tuple", "(", "f", "[", ...
Load data from a HDF5 file. Args: path (str): A path to the HDF5 format file containing data. dense (boolean): An optional variable indicating if the return matrix should be dense. By default, it is false. Returns: Data matrix X and target vector y
[ "Load", "data", "from", "a", "HDF5", "file", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L154-L179
train
jeongyoonlee/Kaggler
kaggler/data_io.py
read_sps
def read_sps(path): """Read a LibSVM file line-by-line. Args: path (str): A path to the LibSVM file to read. Yields: data (list) and target (int). """ for line in open(path): # parse x xs = line.rstrip().split(' ') yield xs[1:], int(xs[0])
python
def read_sps(path): """Read a LibSVM file line-by-line. Args: path (str): A path to the LibSVM file to read. Yields: data (list) and target (int). """ for line in open(path): # parse x xs = line.rstrip().split(' ') yield xs[1:], int(xs[0])
[ "def", "read_sps", "(", "path", ")", ":", "for", "line", "in", "open", "(", "path", ")", ":", "# parse x", "xs", "=", "line", ".", "rstrip", "(", ")", ".", "split", "(", "' '", ")", "yield", "xs", "[", "1", ":", "]", ",", "int", "(", "xs", "[...
Read a LibSVM file line-by-line. Args: path (str): A path to the LibSVM file to read. Yields: data (list) and target (int).
[ "Read", "a", "LibSVM", "file", "line", "-", "by", "-", "line", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/data_io.py#L182-L196
train
jeongyoonlee/Kaggler
kaggler/metrics/regression.py
gini
def gini(y, p): """Normalized Gini Coefficient. Args: y (numpy.array): target p (numpy.array): prediction Returns: e (numpy.float64): normalized Gini coefficient """ # check and get number of samples assert y.shape == p.shape n_samples = y.shape[0] # sort row...
python
def gini(y, p): """Normalized Gini Coefficient. Args: y (numpy.array): target p (numpy.array): prediction Returns: e (numpy.float64): normalized Gini coefficient """ # check and get number of samples assert y.shape == p.shape n_samples = y.shape[0] # sort row...
[ "def", "gini", "(", "y", ",", "p", ")", ":", "# check and get number of samples", "assert", "y", ".", "shape", "==", "p", ".", "shape", "n_samples", "=", "y", ".", "shape", "[", "0", "]", "# sort rows on prediction column", "# (from largest to smallest)", "arr",...
Normalized Gini Coefficient. Args: y (numpy.array): target p (numpy.array): prediction Returns: e (numpy.float64): normalized Gini coefficient
[ "Normalized", "Gini", "Coefficient", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/metrics/regression.py#L46-L78
train
jeongyoonlee/Kaggler
kaggler/metrics/classification.py
logloss
def logloss(y, p): """Bounded log loss error. Args: y (numpy.array): target p (numpy.array): prediction Returns: bounded log loss error """ p[p < EPS] = EPS p[p > 1 - EPS] = 1 - EPS return log_loss(y, p)
python
def logloss(y, p): """Bounded log loss error. Args: y (numpy.array): target p (numpy.array): prediction Returns: bounded log loss error """ p[p < EPS] = EPS p[p > 1 - EPS] = 1 - EPS return log_loss(y, p)
[ "def", "logloss", "(", "y", ",", "p", ")", ":", "p", "[", "p", "<", "EPS", "]", "=", "EPS", "p", "[", "p", ">", "1", "-", "EPS", "]", "=", "1", "-", "EPS", "return", "log_loss", "(", "y", ",", "p", ")" ]
Bounded log loss error. Args: y (numpy.array): target p (numpy.array): prediction Returns: bounded log loss error
[ "Bounded", "log", "loss", "error", "." ]
20661105b61958dc9a3c529c1d3b2313ab23ae32
https://github.com/jeongyoonlee/Kaggler/blob/20661105b61958dc9a3c529c1d3b2313ab23ae32/kaggler/metrics/classification.py#L10-L23
train
vividvilla/csvtotable
csvtotable/convert.py
convert
def convert(input_file_name, **kwargs): """Convert CSV file to HTML table""" delimiter = kwargs["delimiter"] or "," quotechar = kwargs["quotechar"] or "|" if six.PY2: delimiter = delimiter.encode("utf-8") quotechar = quotechar.encode("utf-8") # Read CSV and form a header and rows l...
python
def convert(input_file_name, **kwargs): """Convert CSV file to HTML table""" delimiter = kwargs["delimiter"] or "," quotechar = kwargs["quotechar"] or "|" if six.PY2: delimiter = delimiter.encode("utf-8") quotechar = quotechar.encode("utf-8") # Read CSV and form a header and rows l...
[ "def", "convert", "(", "input_file_name", ",", "*", "*", "kwargs", ")", ":", "delimiter", "=", "kwargs", "[", "\"delimiter\"", "]", "or", "\",\"", "quotechar", "=", "kwargs", "[", "\"quotechar\"", "]", "or", "\"|\"", "if", "six", ".", "PY2", ":", "delimi...
Convert CSV file to HTML table
[ "Convert", "CSV", "file", "to", "HTML", "table" ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/convert.py#L36-L68
train
vividvilla/csvtotable
csvtotable/convert.py
save
def save(file_name, content): """Save content to a file""" with open(file_name, "w", encoding="utf-8") as output_file: output_file.write(content) return output_file.name
python
def save(file_name, content): """Save content to a file""" with open(file_name, "w", encoding="utf-8") as output_file: output_file.write(content) return output_file.name
[ "def", "save", "(", "file_name", ",", "content", ")", ":", "with", "open", "(", "file_name", ",", "\"w\"", ",", "encoding", "=", "\"utf-8\"", ")", "as", "output_file", ":", "output_file", ".", "write", "(", "content", ")", "return", "output_file", ".", "...
Save content to a file
[ "Save", "content", "to", "a", "file" ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/convert.py#L71-L75
train
vividvilla/csvtotable
csvtotable/convert.py
serve
def serve(content): """Write content to a temp file and serve it in browser""" temp_folder = tempfile.gettempdir() temp_file_name = tempfile.gettempprefix() + str(uuid.uuid4()) + ".html" # Generate a file path with a random name in temporary dir temp_file_path = os.path.join(temp_folder, temp_file_n...
python
def serve(content): """Write content to a temp file and serve it in browser""" temp_folder = tempfile.gettempdir() temp_file_name = tempfile.gettempprefix() + str(uuid.uuid4()) + ".html" # Generate a file path with a random name in temporary dir temp_file_path = os.path.join(temp_folder, temp_file_n...
[ "def", "serve", "(", "content", ")", ":", "temp_folder", "=", "tempfile", ".", "gettempdir", "(", ")", "temp_file_name", "=", "tempfile", ".", "gettempprefix", "(", ")", "+", "str", "(", "uuid", ".", "uuid4", "(", ")", ")", "+", "\".html\"", "# Generate ...
Write content to a temp file and serve it in browser
[ "Write", "content", "to", "a", "temp", "file", "and", "serve", "it", "in", "browser" ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/convert.py#L78-L97
train
vividvilla/csvtotable
csvtotable/convert.py
render_template
def render_template(table_headers, table_items, **options): """ Render Jinja2 template """ caption = options.get("caption") or "Table" display_length = options.get("display_length") or -1 height = options.get("height") or "70vh" default_length_menu = [-1, 10, 25, 50] pagination = options...
python
def render_template(table_headers, table_items, **options): """ Render Jinja2 template """ caption = options.get("caption") or "Table" display_length = options.get("display_length") or -1 height = options.get("height") or "70vh" default_length_menu = [-1, 10, 25, 50] pagination = options...
[ "def", "render_template", "(", "table_headers", ",", "table_items", ",", "*", "*", "options", ")", ":", "caption", "=", "options", ".", "get", "(", "\"caption\"", ")", "or", "\"Table\"", "display_length", "=", "options", ".", "get", "(", "\"display_length\"", ...
Render Jinja2 template
[ "Render", "Jinja2", "template" ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/convert.py#L100-L193
train
vividvilla/csvtotable
csvtotable/convert.py
freeze_js
def freeze_js(html): """ Freeze all JS assets to the rendered html itself. """ matches = js_src_pattern.finditer(html) if not matches: return html # Reverse regex matches to replace match string with respective JS content for match in reversed(tuple(matches)): # JS file nam...
python
def freeze_js(html): """ Freeze all JS assets to the rendered html itself. """ matches = js_src_pattern.finditer(html) if not matches: return html # Reverse regex matches to replace match string with respective JS content for match in reversed(tuple(matches)): # JS file nam...
[ "def", "freeze_js", "(", "html", ")", ":", "matches", "=", "js_src_pattern", ".", "finditer", "(", "html", ")", "if", "not", "matches", ":", "return", "html", "# Reverse regex matches to replace match string with respective JS content", "for", "match", "in", "reversed...
Freeze all JS assets to the rendered html itself.
[ "Freeze", "all", "JS", "assets", "to", "the", "rendered", "html", "itself", "." ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/convert.py#L196-L218
train
vividvilla/csvtotable
csvtotable/cli.py
cli
def cli(*args, **kwargs): """ CSVtoTable commandline utility. """ # Convert CSV file content = convert.convert(kwargs["input_file"], **kwargs) # Serve the temporary file in browser. if kwargs["serve"]: convert.serve(content) # Write to output file elif kwargs["output_file"]:...
python
def cli(*args, **kwargs): """ CSVtoTable commandline utility. """ # Convert CSV file content = convert.convert(kwargs["input_file"], **kwargs) # Serve the temporary file in browser. if kwargs["serve"]: convert.serve(content) # Write to output file elif kwargs["output_file"]:...
[ "def", "cli", "(", "*", "args", ",", "*", "*", "kwargs", ")", ":", "# Convert CSV file", "content", "=", "convert", ".", "convert", "(", "kwargs", "[", "\"input_file\"", "]", ",", "*", "*", "kwargs", ")", "# Serve the temporary file in browser.", "if", "kwar...
CSVtoTable commandline utility.
[ "CSVtoTable", "commandline", "utility", "." ]
d894dca1fcc1071c9a52260a9194f8cc3b327905
https://github.com/vividvilla/csvtotable/blob/d894dca1fcc1071c9a52260a9194f8cc3b327905/csvtotable/cli.py#L54-L76
train
django-userena-ce/django-userena-ce
userena/views.py
activate_retry
def activate_retry(request, activation_key, template_name='userena/activate_retry_success.html', extra_context=None): """ Reissue a new ``activation_key`` for the user with the expired ``activation_key``. If ``activation_key`` does not exists, or ``USERENA_ACTIVATI...
python
def activate_retry(request, activation_key, template_name='userena/activate_retry_success.html', extra_context=None): """ Reissue a new ``activation_key`` for the user with the expired ``activation_key``. If ``activation_key`` does not exists, or ``USERENA_ACTIVATI...
[ "def", "activate_retry", "(", "request", ",", "activation_key", ",", "template_name", "=", "'userena/activate_retry_success.html'", ",", "extra_context", "=", "None", ")", ":", "if", "not", "userena_settings", ".", "USERENA_ACTIVATION_RETRY", ":", "return", "redirect", ...
Reissue a new ``activation_key`` for the user with the expired ``activation_key``. If ``activation_key`` does not exists, or ``USERENA_ACTIVATION_RETRY`` is set to False and for any other error condition user is redirected to :func:`activate` for error message display. :param activation_key: ...
[ "Reissue", "a", "new", "activation_key", "for", "the", "user", "with", "the", "expired", "activation_key", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/views.py#L227-L267
train
django-userena-ce/django-userena-ce
userena/views.py
disabled_account
def disabled_account(request, username, template_name, extra_context=None): """ Checks if the account is disabled, if so, returns the disabled account template. :param username: String defining the username of the user that made the action. :param template_name: String defining the nam...
python
def disabled_account(request, username, template_name, extra_context=None): """ Checks if the account is disabled, if so, returns the disabled account template. :param username: String defining the username of the user that made the action. :param template_name: String defining the nam...
[ "def", "disabled_account", "(", "request", ",", "username", ",", "template_name", ",", "extra_context", "=", "None", ")", ":", "user", "=", "get_object_or_404", "(", "get_user_model", "(", ")", ",", "username__iexact", "=", "username", ")", "if", "user", ".", ...
Checks if the account is disabled, if so, returns the disabled account template. :param username: String defining the username of the user that made the action. :param template_name: String defining the name of the template to use. Defaults to ``userena/signup_complete.html``. **K...
[ "Checks", "if", "the", "account", "is", "disabled", "if", "so", "returns", "the", "disabled", "account", "template", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/views.py#L354-L390
train
django-userena-ce/django-userena-ce
userena/views.py
profile_list
def profile_list(request, page=1, template_name='userena/profile_list.html', paginate_by=50, extra_context=None, **kwargs): # pragma: no cover """ Returns a list of all profiles that are public. It's possible to disable this by changing ``USERENA_DISABLE_PROFILE_LIST`` to ``True`` in y...
python
def profile_list(request, page=1, template_name='userena/profile_list.html', paginate_by=50, extra_context=None, **kwargs): # pragma: no cover """ Returns a list of all profiles that are public. It's possible to disable this by changing ``USERENA_DISABLE_PROFILE_LIST`` to ``True`` in y...
[ "def", "profile_list", "(", "request", ",", "page", "=", "1", ",", "template_name", "=", "'userena/profile_list.html'", ",", "paginate_by", "=", "50", ",", "extra_context", "=", "None", ",", "*", "*", "kwargs", ")", ":", "# pragma: no cover", "warnings", ".", ...
Returns a list of all profiles that are public. It's possible to disable this by changing ``USERENA_DISABLE_PROFILE_LIST`` to ``True`` in your settings. :param page: Integer of the active page used for pagination. Defaults to the first page. :param template_name: String defini...
[ "Returns", "a", "list", "of", "all", "profiles", "that", "are", "public", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/views.py#L757-L818
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageContactManager.get_or_create
def get_or_create(self, um_from_user, um_to_user, message): """ Get or create a Contact We override Django's :func:`get_or_create` because we want contact to be unique in a bi-directional manner. """ created = False try: contact = self.get(Q(um_from_...
python
def get_or_create(self, um_from_user, um_to_user, message): """ Get or create a Contact We override Django's :func:`get_or_create` because we want contact to be unique in a bi-directional manner. """ created = False try: contact = self.get(Q(um_from_...
[ "def", "get_or_create", "(", "self", ",", "um_from_user", ",", "um_to_user", ",", "message", ")", ":", "created", "=", "False", "try", ":", "contact", "=", "self", ".", "get", "(", "Q", "(", "um_from_user", "=", "um_from_user", ",", "um_to_user", "=", "u...
Get or create a Contact We override Django's :func:`get_or_create` because we want contact to be unique in a bi-directional manner.
[ "Get", "or", "create", "a", "Contact" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L11-L30
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageContactManager.update_contact
def update_contact(self, um_from_user, um_to_user, message): """ Get or update a contacts information """ contact, created = self.get_or_create(um_from_user, um_to_user, message) # If the contact already...
python
def update_contact(self, um_from_user, um_to_user, message): """ Get or update a contacts information """ contact, created = self.get_or_create(um_from_user, um_to_user, message) # If the contact already...
[ "def", "update_contact", "(", "self", ",", "um_from_user", ",", "um_to_user", ",", "message", ")", ":", "contact", ",", "created", "=", "self", ".", "get_or_create", "(", "um_from_user", ",", "um_to_user", ",", "message", ")", "# If the contact already existed, up...
Get or update a contacts information
[ "Get", "or", "update", "a", "contacts", "information" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L32-L42
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageContactManager.get_contacts_for
def get_contacts_for(self, user): """ Returns the contacts for this user. Contacts are other users that this user has received messages from or send messages to. :param user: The :class:`User` which to get the contacts for. """ contacts = self.filte...
python
def get_contacts_for(self, user): """ Returns the contacts for this user. Contacts are other users that this user has received messages from or send messages to. :param user: The :class:`User` which to get the contacts for. """ contacts = self.filte...
[ "def", "get_contacts_for", "(", "self", ",", "user", ")", ":", "contacts", "=", "self", ".", "filter", "(", "Q", "(", "um_from_user", "=", "user", ")", "|", "Q", "(", "um_to_user", "=", "user", ")", ")", "return", "contacts" ]
Returns the contacts for this user. Contacts are other users that this user has received messages from or send messages to. :param user: The :class:`User` which to get the contacts for.
[ "Returns", "the", "contacts", "for", "this", "user", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L44-L56
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageManager.send_message
def send_message(self, sender, um_to_user_list, body): """ Send a message from a user, to a user. :param sender: The :class:`User` which sends the message. :param um_to_user_list: A list which elements are :class:`User` to whom the message is for. :para...
python
def send_message(self, sender, um_to_user_list, body): """ Send a message from a user, to a user. :param sender: The :class:`User` which sends the message. :param um_to_user_list: A list which elements are :class:`User` to whom the message is for. :para...
[ "def", "send_message", "(", "self", ",", "sender", ",", "um_to_user_list", ",", "body", ")", ":", "msg", "=", "self", ".", "model", "(", "sender", "=", "sender", ",", "body", "=", "body", ")", "msg", ".", "save", "(", ")", "# Save the recipients", "msg...
Send a message from a user, to a user. :param sender: The :class:`User` which sends the message. :param um_to_user_list: A list which elements are :class:`User` to whom the message is for. :param message: String containing the message.
[ "Send", "a", "message", "from", "a", "user", "to", "a", "user", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L61-L84
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageManager.get_conversation_between
def get_conversation_between(self, um_from_user, um_to_user): """ Returns a conversation between two users """ messages = self.filter(Q(sender=um_from_user, recipients=um_to_user, sender_deleted_at__isnull=True) | Q(sender=um_to_user, recip...
python
def get_conversation_between(self, um_from_user, um_to_user): """ Returns a conversation between two users """ messages = self.filter(Q(sender=um_from_user, recipients=um_to_user, sender_deleted_at__isnull=True) | Q(sender=um_to_user, recip...
[ "def", "get_conversation_between", "(", "self", ",", "um_from_user", ",", "um_to_user", ")", ":", "messages", "=", "self", ".", "filter", "(", "Q", "(", "sender", "=", "um_from_user", ",", "recipients", "=", "um_to_user", ",", "sender_deleted_at__isnull", "=", ...
Returns a conversation between two users
[ "Returns", "a", "conversation", "between", "two", "users" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L86-L92
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageRecipientManager.count_unread_messages_for
def count_unread_messages_for(self, user): """ Returns the amount of unread messages for this user :param user: A Django :class:`User` :return: An integer with the amount of unread messages. """ unread_total = self.filter(user=user, ...
python
def count_unread_messages_for(self, user): """ Returns the amount of unread messages for this user :param user: A Django :class:`User` :return: An integer with the amount of unread messages. """ unread_total = self.filter(user=user, ...
[ "def", "count_unread_messages_for", "(", "self", ",", "user", ")", ":", "unread_total", "=", "self", ".", "filter", "(", "user", "=", "user", ",", "read_at__isnull", "=", "True", ",", "deleted_at__isnull", "=", "True", ")", ".", "count", "(", ")", "return"...
Returns the amount of unread messages for this user :param user: A Django :class:`User` :return: An integer with the amount of unread messages.
[ "Returns", "the", "amount", "of", "unread", "messages", "for", "this", "user" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L97-L112
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/managers.py
MessageRecipientManager.count_unread_messages_between
def count_unread_messages_between(self, um_to_user, um_from_user): """ Returns the amount of unread messages between two users :param um_to_user: A Django :class:`User` for who the messages are for. :param um_from_user: A Django :class:`User` from whom the messa...
python
def count_unread_messages_between(self, um_to_user, um_from_user): """ Returns the amount of unread messages between two users :param um_to_user: A Django :class:`User` for who the messages are for. :param um_from_user: A Django :class:`User` from whom the messa...
[ "def", "count_unread_messages_between", "(", "self", ",", "um_to_user", ",", "um_from_user", ")", ":", "unread_total", "=", "self", ".", "filter", "(", "message__sender", "=", "um_from_user", ",", "user", "=", "um_to_user", ",", "read_at__isnull", "=", "True", "...
Returns the amount of unread messages between two users :param um_to_user: A Django :class:`User` for who the messages are for. :param um_from_user: A Django :class:`User` from whom the messages originate from. :return: An integer with the amount of unread ...
[ "Returns", "the", "amount", "of", "unread", "messages", "between", "two", "users" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/managers.py#L114-L133
train
django-userena-ce/django-userena-ce
userena/managers.py
UserenaManager.reissue_activation
def reissue_activation(self, activation_key): """ Creates a new ``activation_key`` resetting activation timeframe when users let the previous key expire. :param activation_key: String containing the secret SHA1 activation key. """ try: userena = ...
python
def reissue_activation(self, activation_key): """ Creates a new ``activation_key`` resetting activation timeframe when users let the previous key expire. :param activation_key: String containing the secret SHA1 activation key. """ try: userena = ...
[ "def", "reissue_activation", "(", "self", ",", "activation_key", ")", ":", "try", ":", "userena", "=", "self", ".", "get", "(", "activation_key", "=", "activation_key", ")", "except", "self", ".", "model", ".", "DoesNotExist", ":", "return", "False", "try", ...
Creates a new ``activation_key`` resetting activation timeframe when users let the previous key expire. :param activation_key: String containing the secret SHA1 activation key.
[ "Creates", "a", "new", "activation_key", "resetting", "activation", "timeframe", "when", "users", "let", "the", "previous", "key", "expire", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/managers.py#L106-L128
train
django-userena-ce/django-userena-ce
userena/managers.py
UserenaManager.check_expired_activation
def check_expired_activation(self, activation_key): """ Check if ``activation_key`` is still valid. Raises a ``self.model.DoesNotExist`` exception if key is not present or ``activation_key`` is not a valid string :param activation_key: String containing the secret ...
python
def check_expired_activation(self, activation_key): """ Check if ``activation_key`` is still valid. Raises a ``self.model.DoesNotExist`` exception if key is not present or ``activation_key`` is not a valid string :param activation_key: String containing the secret ...
[ "def", "check_expired_activation", "(", "self", ",", "activation_key", ")", ":", "if", "SHA1_RE", ".", "search", "(", "activation_key", ")", ":", "userena", "=", "self", ".", "get", "(", "activation_key", "=", "activation_key", ")", "return", "userena", ".", ...
Check if ``activation_key`` is still valid. Raises a ``self.model.DoesNotExist`` exception if key is not present or ``activation_key`` is not a valid string :param activation_key: String containing the secret SHA1 for a valid activation. :return: True if the k...
[ "Check", "if", "activation_key", "is", "still", "valid", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/managers.py#L163-L180
train
django-userena-ce/django-userena-ce
userena/managers.py
UserenaManager.check_permissions
def check_permissions(self): """ Checks that all permissions are set correctly for the users. :return: A set of users whose permissions was wrong. """ # Variable to supply some feedback changed_permissions = [] changed_users = [] warnings = [] #...
python
def check_permissions(self): """ Checks that all permissions are set correctly for the users. :return: A set of users whose permissions was wrong. """ # Variable to supply some feedback changed_permissions = [] changed_users = [] warnings = [] #...
[ "def", "check_permissions", "(", "self", ")", ":", "# Variable to supply some feedback", "changed_permissions", "=", "[", "]", "changed_users", "=", "[", "]", "warnings", "=", "[", "]", "# Check that all the permissions are available.", "for", "model", ",", "perms", "...
Checks that all permissions are set correctly for the users. :return: A set of users whose permissions was wrong.
[ "Checks", "that", "all", "permissions", "are", "set", "correctly", "for", "the", "users", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/managers.py#L236-L287
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/templatetags/umessages_tags.py
get_unread_message_count_for
def get_unread_message_count_for(parser, token): """ Returns the unread message count for a user. Syntax:: {% get_unread_message_count_for [user] as [var_name] %} Example usage:: {% get_unread_message_count_for pero as message_count %} """ try: tag_name, arg = token....
python
def get_unread_message_count_for(parser, token): """ Returns the unread message count for a user. Syntax:: {% get_unread_message_count_for [user] as [var_name] %} Example usage:: {% get_unread_message_count_for pero as message_count %} """ try: tag_name, arg = token....
[ "def", "get_unread_message_count_for", "(", "parser", ",", "token", ")", ":", "try", ":", "tag_name", ",", "arg", "=", "token", ".", "contents", ".", "split", "(", "None", ",", "1", ")", "except", "ValueError", ":", "raise", "template", ".", "TemplateSynta...
Returns the unread message count for a user. Syntax:: {% get_unread_message_count_for [user] as [var_name] %} Example usage:: {% get_unread_message_count_for pero as message_count %}
[ "Returns", "the", "unread", "message", "count", "for", "a", "user", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/templatetags/umessages_tags.py#L40-L61
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/templatetags/umessages_tags.py
get_unread_message_count_between
def get_unread_message_count_between(parser, token): """ Returns the unread message count between two users. Syntax:: {% get_unread_message_count_between [user] and [user] as [var_name] %} Example usage:: {% get_unread_message_count_between funky and wunki as message_count %} ""...
python
def get_unread_message_count_between(parser, token): """ Returns the unread message count between two users. Syntax:: {% get_unread_message_count_between [user] and [user] as [var_name] %} Example usage:: {% get_unread_message_count_between funky and wunki as message_count %} ""...
[ "def", "get_unread_message_count_between", "(", "parser", ",", "token", ")", ":", "try", ":", "tag_name", ",", "arg", "=", "token", ".", "contents", ".", "split", "(", "None", ",", "1", ")", "except", "ValueError", ":", "raise", "template", ".", "TemplateS...
Returns the unread message count between two users. Syntax:: {% get_unread_message_count_between [user] and [user] as [var_name] %} Example usage:: {% get_unread_message_count_between funky and wunki as message_count %}
[ "Returns", "the", "unread", "message", "count", "between", "two", "users", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/templatetags/umessages_tags.py#L64-L85
train
django-userena-ce/django-userena-ce
userena/models.py
upload_to_mugshot
def upload_to_mugshot(instance, filename): """ Uploads a mugshot for a user to the ``USERENA_MUGSHOT_PATH`` and saving it under unique hash for the image. This is for privacy reasons so others can't just browse through the mugshot directory. """ extension = filename.split('.')[-1].lower() s...
python
def upload_to_mugshot(instance, filename): """ Uploads a mugshot for a user to the ``USERENA_MUGSHOT_PATH`` and saving it under unique hash for the image. This is for privacy reasons so others can't just browse through the mugshot directory. """ extension = filename.split('.')[-1].lower() s...
[ "def", "upload_to_mugshot", "(", "instance", ",", "filename", ")", ":", "extension", "=", "filename", ".", "split", "(", "'.'", ")", "[", "-", "1", "]", ".", "lower", "(", ")", "salt", ",", "hash", "=", "generate_sha1", "(", "instance", ".", "pk", ")...
Uploads a mugshot for a user to the ``USERENA_MUGSHOT_PATH`` and saving it under unique hash for the image. This is for privacy reasons so others can't just browse through the mugshot directory.
[ "Uploads", "a", "mugshot", "for", "a", "user", "to", "the", "USERENA_MUGSHOT_PATH", "and", "saving", "it", "under", "unique", "hash", "for", "the", "image", ".", "This", "is", "for", "privacy", "reasons", "so", "others", "can", "t", "just", "browse", "thro...
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/models.py#L24-L39
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/views.py
message_compose
def message_compose(request, recipients=None, compose_form=ComposeForm, success_url=None, template_name="umessages/message_form.html", recipient_filter=None, extra_context=None): """ Compose a new message :recipients: String containing the usernames to whom t...
python
def message_compose(request, recipients=None, compose_form=ComposeForm, success_url=None, template_name="umessages/message_form.html", recipient_filter=None, extra_context=None): """ Compose a new message :recipients: String containing the usernames to whom t...
[ "def", "message_compose", "(", "request", ",", "recipients", "=", "None", ",", "compose_form", "=", "ComposeForm", ",", "success_url", "=", "None", ",", "template_name", "=", "\"umessages/message_form.html\"", ",", "recipient_filter", "=", "None", ",", "extra_contex...
Compose a new message :recipients: String containing the usernames to whom the message is send to. Can be multiple username by seperating them with a ``+`` sign. :param compose_form: The form that is used for getting neccesary information. Defaults to :class:`ComposeForm`. ...
[ "Compose", "a", "new", "message" ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/views.py#L73-L141
train
django-userena-ce/django-userena-ce
userena/contrib/umessages/views.py
message_remove
def message_remove(request, undo=False): """ A ``POST`` to remove messages. :param undo: A Boolean that if ``True`` unremoves messages. POST can have the following keys: ``message_pks`` List of message id's that should be deleted. ``next`` String conta...
python
def message_remove(request, undo=False): """ A ``POST`` to remove messages. :param undo: A Boolean that if ``True`` unremoves messages. POST can have the following keys: ``message_pks`` List of message id's that should be deleted. ``next`` String conta...
[ "def", "message_remove", "(", "request", ",", "undo", "=", "False", ")", ":", "message_pks", "=", "request", ".", "POST", ".", "getlist", "(", "'message_pks'", ")", "redirect_to", "=", "request", ".", "GET", ".", "get", "(", "REDIRECT_FIELD_NAME", ",", "re...
A ``POST`` to remove messages. :param undo: A Boolean that if ``True`` unremoves messages. POST can have the following keys: ``message_pks`` List of message id's that should be deleted. ``next`` String containing the URI which to redirect to after the keys are...
[ "A", "POST", "to", "remove", "messages", "." ]
2d8b745eed25128134e961ca96c270802e730256
https://github.com/django-userena-ce/django-userena-ce/blob/2d8b745eed25128134e961ca96c270802e730256/userena/contrib/umessages/views.py#L145-L217
train