id
int32 0
252k
| 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
sequence | docstring
stringlengths 3
17.3k
| docstring_tokens
sequence | sha
stringlengths 40
40
| url
stringlengths 87
242
|
---|---|---|---|---|---|---|---|---|---|---|---|
3,500 | awslabs/aws-greengrass-group-setup | gg_group_setup/cmd.py | GroupCommands.create_devices | def create_devices(self, thing_names, config_file, region=None,
cert_dir=None, append=False, account_id=None,
policy_name='ggd-discovery-policy', profile_name=None):
"""
Using the `thing_names` values, creates Things in AWS IoT, attaches and
downloads new keys & certs to the certificate directory, then records
the created information in the local config file for inclusion in the
Greengrass Group as Greengrass Devices.
:param thing_names: the thing name or list of thing names to create and
use as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to create the new devices.
[default: us-west-2]
:param cert_dir: the directory in which to store the thing's keys and
certs. If `None` then use the current directory.
:param append: append the created devices to the list of devices in the
config file. [default: False]
:param account_id: the account ID in which to create devices. If 'None'
the config_file will be checked for an `account_id` value in the
`misc` section.
:param policy_name: the name of the policy to associate with the device.
[default: 'ggd-discovery-policy']
:param profile_name: the name of the `awscli` profile to use.
[default: None]
"""
logging.info("create_devices thing_names:{0}".format(thing_names))
config = GroupConfigFile(config_file=config_file)
if append is False and config.is_device_fresh() is False:
raise ValueError(
"Config file tracking previously created devices. Append "
"devices instead"
)
if region is None:
region = self._region
if account_id is None:
account_id = self._account_id
devices = dict()
if append:
devices = config['devices']
if type(thing_names) is str:
thing_names = [thing_names]
iot_client = _get_iot_session(region=region, profile_name=profile_name)
for thing_name in thing_names:
keys_cert, thing = self.create_thing(thing_name, region, cert_dir)
cert_arn = keys_cert['certificateArn']
devices[thing_name] = {
'thing_arn': thing['thingArn'],
'cert_arn': cert_arn,
'cert_id': keys_cert['certificateId'],
'thing_name': thing_name
}
logging.info("Thing:'{0}' associated with cert:'{1}'".format(
thing_name, cert_arn))
device_policy = self.get_device_policy(
device_name=thing_name, account_id=account_id, region=region
)
self._create_attach_thing_policy(cert_arn, device_policy,
iot_client, policy_name)
config['devices'] = devices
logging.info("create_devices cfg:{0}".format(config)) | python | def create_devices(self, thing_names, config_file, region=None,
cert_dir=None, append=False, account_id=None,
policy_name='ggd-discovery-policy', profile_name=None):
"""
Using the `thing_names` values, creates Things in AWS IoT, attaches and
downloads new keys & certs to the certificate directory, then records
the created information in the local config file for inclusion in the
Greengrass Group as Greengrass Devices.
:param thing_names: the thing name or list of thing names to create and
use as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to create the new devices.
[default: us-west-2]
:param cert_dir: the directory in which to store the thing's keys and
certs. If `None` then use the current directory.
:param append: append the created devices to the list of devices in the
config file. [default: False]
:param account_id: the account ID in which to create devices. If 'None'
the config_file will be checked for an `account_id` value in the
`misc` section.
:param policy_name: the name of the policy to associate with the device.
[default: 'ggd-discovery-policy']
:param profile_name: the name of the `awscli` profile to use.
[default: None]
"""
logging.info("create_devices thing_names:{0}".format(thing_names))
config = GroupConfigFile(config_file=config_file)
if append is False and config.is_device_fresh() is False:
raise ValueError(
"Config file tracking previously created devices. Append "
"devices instead"
)
if region is None:
region = self._region
if account_id is None:
account_id = self._account_id
devices = dict()
if append:
devices = config['devices']
if type(thing_names) is str:
thing_names = [thing_names]
iot_client = _get_iot_session(region=region, profile_name=profile_name)
for thing_name in thing_names:
keys_cert, thing = self.create_thing(thing_name, region, cert_dir)
cert_arn = keys_cert['certificateArn']
devices[thing_name] = {
'thing_arn': thing['thingArn'],
'cert_arn': cert_arn,
'cert_id': keys_cert['certificateId'],
'thing_name': thing_name
}
logging.info("Thing:'{0}' associated with cert:'{1}'".format(
thing_name, cert_arn))
device_policy = self.get_device_policy(
device_name=thing_name, account_id=account_id, region=region
)
self._create_attach_thing_policy(cert_arn, device_policy,
iot_client, policy_name)
config['devices'] = devices
logging.info("create_devices cfg:{0}".format(config)) | [
"def",
"create_devices",
"(",
"self",
",",
"thing_names",
",",
"config_file",
",",
"region",
"=",
"None",
",",
"cert_dir",
"=",
"None",
",",
"append",
"=",
"False",
",",
"account_id",
"=",
"None",
",",
"policy_name",
"=",
"'ggd-discovery-policy'",
",",
"profile_name",
"=",
"None",
")",
":",
"logging",
".",
"info",
"(",
"\"create_devices thing_names:{0}\"",
".",
"format",
"(",
"thing_names",
")",
")",
"config",
"=",
"GroupConfigFile",
"(",
"config_file",
"=",
"config_file",
")",
"if",
"append",
"is",
"False",
"and",
"config",
".",
"is_device_fresh",
"(",
")",
"is",
"False",
":",
"raise",
"ValueError",
"(",
"\"Config file tracking previously created devices. Append \"",
"\"devices instead\"",
")",
"if",
"region",
"is",
"None",
":",
"region",
"=",
"self",
".",
"_region",
"if",
"account_id",
"is",
"None",
":",
"account_id",
"=",
"self",
".",
"_account_id",
"devices",
"=",
"dict",
"(",
")",
"if",
"append",
":",
"devices",
"=",
"config",
"[",
"'devices'",
"]",
"if",
"type",
"(",
"thing_names",
")",
"is",
"str",
":",
"thing_names",
"=",
"[",
"thing_names",
"]",
"iot_client",
"=",
"_get_iot_session",
"(",
"region",
"=",
"region",
",",
"profile_name",
"=",
"profile_name",
")",
"for",
"thing_name",
"in",
"thing_names",
":",
"keys_cert",
",",
"thing",
"=",
"self",
".",
"create_thing",
"(",
"thing_name",
",",
"region",
",",
"cert_dir",
")",
"cert_arn",
"=",
"keys_cert",
"[",
"'certificateArn'",
"]",
"devices",
"[",
"thing_name",
"]",
"=",
"{",
"'thing_arn'",
":",
"thing",
"[",
"'thingArn'",
"]",
",",
"'cert_arn'",
":",
"cert_arn",
",",
"'cert_id'",
":",
"keys_cert",
"[",
"'certificateId'",
"]",
",",
"'thing_name'",
":",
"thing_name",
"}",
"logging",
".",
"info",
"(",
"\"Thing:'{0}' associated with cert:'{1}'\"",
".",
"format",
"(",
"thing_name",
",",
"cert_arn",
")",
")",
"device_policy",
"=",
"self",
".",
"get_device_policy",
"(",
"device_name",
"=",
"thing_name",
",",
"account_id",
"=",
"account_id",
",",
"region",
"=",
"region",
")",
"self",
".",
"_create_attach_thing_policy",
"(",
"cert_arn",
",",
"device_policy",
",",
"iot_client",
",",
"policy_name",
")",
"config",
"[",
"'devices'",
"]",
"=",
"devices",
"logging",
".",
"info",
"(",
"\"create_devices cfg:{0}\"",
".",
"format",
"(",
"config",
")",
")"
] | Using the `thing_names` values, creates Things in AWS IoT, attaches and
downloads new keys & certs to the certificate directory, then records
the created information in the local config file for inclusion in the
Greengrass Group as Greengrass Devices.
:param thing_names: the thing name or list of thing names to create and
use as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to create the new devices.
[default: us-west-2]
:param cert_dir: the directory in which to store the thing's keys and
certs. If `None` then use the current directory.
:param append: append the created devices to the list of devices in the
config file. [default: False]
:param account_id: the account ID in which to create devices. If 'None'
the config_file will be checked for an `account_id` value in the
`misc` section.
:param policy_name: the name of the policy to associate with the device.
[default: 'ggd-discovery-policy']
:param profile_name: the name of the `awscli` profile to use.
[default: None] | [
"Using",
"the",
"thing_names",
"values",
"creates",
"Things",
"in",
"AWS",
"IoT",
"attaches",
"and",
"downloads",
"new",
"keys",
"&",
"certs",
"to",
"the",
"certificate",
"directory",
"then",
"records",
"the",
"created",
"information",
"in",
"the",
"local",
"config",
"file",
"for",
"inclusion",
"in",
"the",
"Greengrass",
"Group",
"as",
"Greengrass",
"Devices",
"."
] | 06189ceccb794fedf80e0e7649938c18792e16c9 | https://github.com/awslabs/aws-greengrass-group-setup/blob/06189ceccb794fedf80e0e7649938c18792e16c9/gg_group_setup/cmd.py#L773-L837 |
3,501 | awslabs/aws-greengrass-group-setup | gg_group_setup/cmd.py | GroupCommands.associate_devices | def associate_devices(self, thing_names, config_file, region=None,
profile_name=None):
# TODO remove this function when Group discovery is enriched
"""
Using the `thing_names` values, associate existing Things in AWS IoT
with the config of another Greengrass Group for use as Greengrass
Devices.
:param thing_names: the thing name or list of thing names to associate
as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to associate devices.
[default: us-west-2]
:param profile_name: the name of the `awscli` profile to use.
[default: None]
"""
logging.info("associate_devices thing_names:{0}".format(thing_names))
config = GroupConfigFile(config_file=config_file)
if region is None:
region = self._region
devices = config['devices']
if type(thing_names) is str:
thing_names = [thing_names]
iot_client = _get_iot_session(region=region, profile_name=profile_name)
for thing_name in thing_names:
thing = iot_client.describe_thing(thingName=thing_name)
logging.info("Found existing Thing:{0}".format(thing))
p = iot_client.list_thing_principals(thingName=thing_name)
logging.info("Existing Thing has principals:{0}".format(p))
devices[thing_name] = {
'thing_arn': thing['attributes']['thingArn'],
'cert_arn': p['principals'][0],
'cert_id': thing['attributes']['certificateId'],
'thing_name': thing_name
}
logging.info("Thing:'{0}' associated with config:'{1}'".format(
thing_name, config_file))
config['devices'] = devices | python | def associate_devices(self, thing_names, config_file, region=None,
profile_name=None):
# TODO remove this function when Group discovery is enriched
"""
Using the `thing_names` values, associate existing Things in AWS IoT
with the config of another Greengrass Group for use as Greengrass
Devices.
:param thing_names: the thing name or list of thing names to associate
as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to associate devices.
[default: us-west-2]
:param profile_name: the name of the `awscli` profile to use.
[default: None]
"""
logging.info("associate_devices thing_names:{0}".format(thing_names))
config = GroupConfigFile(config_file=config_file)
if region is None:
region = self._region
devices = config['devices']
if type(thing_names) is str:
thing_names = [thing_names]
iot_client = _get_iot_session(region=region, profile_name=profile_name)
for thing_name in thing_names:
thing = iot_client.describe_thing(thingName=thing_name)
logging.info("Found existing Thing:{0}".format(thing))
p = iot_client.list_thing_principals(thingName=thing_name)
logging.info("Existing Thing has principals:{0}".format(p))
devices[thing_name] = {
'thing_arn': thing['attributes']['thingArn'],
'cert_arn': p['principals'][0],
'cert_id': thing['attributes']['certificateId'],
'thing_name': thing_name
}
logging.info("Thing:'{0}' associated with config:'{1}'".format(
thing_name, config_file))
config['devices'] = devices | [
"def",
"associate_devices",
"(",
"self",
",",
"thing_names",
",",
"config_file",
",",
"region",
"=",
"None",
",",
"profile_name",
"=",
"None",
")",
":",
"# TODO remove this function when Group discovery is enriched",
"logging",
".",
"info",
"(",
"\"associate_devices thing_names:{0}\"",
".",
"format",
"(",
"thing_names",
")",
")",
"config",
"=",
"GroupConfigFile",
"(",
"config_file",
"=",
"config_file",
")",
"if",
"region",
"is",
"None",
":",
"region",
"=",
"self",
".",
"_region",
"devices",
"=",
"config",
"[",
"'devices'",
"]",
"if",
"type",
"(",
"thing_names",
")",
"is",
"str",
":",
"thing_names",
"=",
"[",
"thing_names",
"]",
"iot_client",
"=",
"_get_iot_session",
"(",
"region",
"=",
"region",
",",
"profile_name",
"=",
"profile_name",
")",
"for",
"thing_name",
"in",
"thing_names",
":",
"thing",
"=",
"iot_client",
".",
"describe_thing",
"(",
"thingName",
"=",
"thing_name",
")",
"logging",
".",
"info",
"(",
"\"Found existing Thing:{0}\"",
".",
"format",
"(",
"thing",
")",
")",
"p",
"=",
"iot_client",
".",
"list_thing_principals",
"(",
"thingName",
"=",
"thing_name",
")",
"logging",
".",
"info",
"(",
"\"Existing Thing has principals:{0}\"",
".",
"format",
"(",
"p",
")",
")",
"devices",
"[",
"thing_name",
"]",
"=",
"{",
"'thing_arn'",
":",
"thing",
"[",
"'attributes'",
"]",
"[",
"'thingArn'",
"]",
",",
"'cert_arn'",
":",
"p",
"[",
"'principals'",
"]",
"[",
"0",
"]",
",",
"'cert_id'",
":",
"thing",
"[",
"'attributes'",
"]",
"[",
"'certificateId'",
"]",
",",
"'thing_name'",
":",
"thing_name",
"}",
"logging",
".",
"info",
"(",
"\"Thing:'{0}' associated with config:'{1}'\"",
".",
"format",
"(",
"thing_name",
",",
"config_file",
")",
")",
"config",
"[",
"'devices'",
"]",
"=",
"devices"
] | Using the `thing_names` values, associate existing Things in AWS IoT
with the config of another Greengrass Group for use as Greengrass
Devices.
:param thing_names: the thing name or list of thing names to associate
as Greengrass Devices
:param config_file: config file used to track the Greengrass Devices in
the group
:param region: the region in which to associate devices.
[default: us-west-2]
:param profile_name: the name of the `awscli` profile to use.
[default: None] | [
"Using",
"the",
"thing_names",
"values",
"associate",
"existing",
"Things",
"in",
"AWS",
"IoT",
"with",
"the",
"config",
"of",
"another",
"Greengrass",
"Group",
"for",
"use",
"as",
"Greengrass",
"Devices",
"."
] | 06189ceccb794fedf80e0e7649938c18792e16c9 | https://github.com/awslabs/aws-greengrass-group-setup/blob/06189ceccb794fedf80e0e7649938c18792e16c9/gg_group_setup/cmd.py#L839-L878 |
3,502 | coinkite/connectrum | connectrum/protocol.py | StratumProtocol.send_data | def send_data(self, message):
'''
Given an object, encode as JSON and transmit to the server.
'''
#logger.debug("TX:\n%s", json.dumps(message, indent=2))
data = json.dumps(message).encode('utf-8') + b'\n'
self.transport.write(data) | python | def send_data(self, message):
'''
Given an object, encode as JSON and transmit to the server.
'''
#logger.debug("TX:\n%s", json.dumps(message, indent=2))
data = json.dumps(message).encode('utf-8') + b'\n'
self.transport.write(data) | [
"def",
"send_data",
"(",
"self",
",",
"message",
")",
":",
"#logger.debug(\"TX:\\n%s\", json.dumps(message, indent=2))",
"data",
"=",
"json",
".",
"dumps",
"(",
"message",
")",
".",
"encode",
"(",
"'utf-8'",
")",
"+",
"b'\\n'",
"self",
".",
"transport",
".",
"write",
"(",
"data",
")"
] | Given an object, encode as JSON and transmit to the server. | [
"Given",
"an",
"object",
"encode",
"as",
"JSON",
"and",
"transmit",
"to",
"the",
"server",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/protocol.py#L57-L63 |
3,503 | coinkite/connectrum | connectrum/findall.py | IrcListener.got_who_reply | async def got_who_reply(self, nick=None, real_name=None, **kws):
'''
Server replied to one of our WHO requests, with details.
'''
#logger.debug('who reply: %r' % kws)
nick = nick[2:] if nick[0:2] == 'E_' else nick
host, ports = real_name.split(' ', 1)
self.servers.remove(nick)
logger.debug("Found: '%s' at %s with port list: %s",nick, host, ports)
self.results[host.lower()] = ServerInfo(nick, host, ports)
if not self.servers:
self.all_done.set() | python | async def got_who_reply(self, nick=None, real_name=None, **kws):
'''
Server replied to one of our WHO requests, with details.
'''
#logger.debug('who reply: %r' % kws)
nick = nick[2:] if nick[0:2] == 'E_' else nick
host, ports = real_name.split(' ', 1)
self.servers.remove(nick)
logger.debug("Found: '%s' at %s with port list: %s",nick, host, ports)
self.results[host.lower()] = ServerInfo(nick, host, ports)
if not self.servers:
self.all_done.set() | [
"async",
"def",
"got_who_reply",
"(",
"self",
",",
"nick",
"=",
"None",
",",
"real_name",
"=",
"None",
",",
"*",
"*",
"kws",
")",
":",
"#logger.debug('who reply: %r' % kws)",
"nick",
"=",
"nick",
"[",
"2",
":",
"]",
"if",
"nick",
"[",
"0",
":",
"2",
"]",
"==",
"'E_'",
"else",
"nick",
"host",
",",
"ports",
"=",
"real_name",
".",
"split",
"(",
"' '",
",",
"1",
")",
"self",
".",
"servers",
".",
"remove",
"(",
"nick",
")",
"logger",
".",
"debug",
"(",
"\"Found: '%s' at %s with port list: %s\"",
",",
"nick",
",",
"host",
",",
"ports",
")",
"self",
".",
"results",
"[",
"host",
".",
"lower",
"(",
")",
"]",
"=",
"ServerInfo",
"(",
"nick",
",",
"host",
",",
"ports",
")",
"if",
"not",
"self",
".",
"servers",
":",
"self",
".",
"all_done",
".",
"set",
"(",
")"
] | Server replied to one of our WHO requests, with details. | [
"Server",
"replied",
"to",
"one",
"of",
"our",
"WHO",
"requests",
"with",
"details",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/findall.py#L59-L74 |
3,504 | coinkite/connectrum | connectrum/client.py | StratumClient._keepalive | async def _keepalive(self):
'''
Keep our connect to server alive forever, with some
pointless traffic.
'''
while self.protocol:
vers = await self.RPC('server.version')
logger.debug("Server version: " + repr(vers))
# Five minutes isn't really enough anymore; looks like
# servers are killing 2-minute old idle connections now.
# But decreasing interval this seems rude.
await asyncio.sleep(600) | python | async def _keepalive(self):
'''
Keep our connect to server alive forever, with some
pointless traffic.
'''
while self.protocol:
vers = await self.RPC('server.version')
logger.debug("Server version: " + repr(vers))
# Five minutes isn't really enough anymore; looks like
# servers are killing 2-minute old idle connections now.
# But decreasing interval this seems rude.
await asyncio.sleep(600) | [
"async",
"def",
"_keepalive",
"(",
"self",
")",
":",
"while",
"self",
".",
"protocol",
":",
"vers",
"=",
"await",
"self",
".",
"RPC",
"(",
"'server.version'",
")",
"logger",
".",
"debug",
"(",
"\"Server version: \"",
"+",
"repr",
"(",
"vers",
")",
")",
"# Five minutes isn't really enough anymore; looks like",
"# servers are killing 2-minute old idle connections now.",
"# But decreasing interval this seems rude.",
"await",
"asyncio",
".",
"sleep",
"(",
"600",
")"
] | Keep our connect to server alive forever, with some
pointless traffic. | [
"Keep",
"our",
"connect",
"to",
"server",
"alive",
"forever",
"with",
"some",
"pointless",
"traffic",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/client.py#L161-L173 |
3,505 | coinkite/connectrum | connectrum/client.py | StratumClient._send_request | def _send_request(self, method, params=[], is_subscribe = False):
'''
Send a new request to the server. Serialized the JSON and
tracks id numbers and optional callbacks.
'''
# pick a new ID
self.next_id += 1
req_id = self.next_id
# serialize as JSON
msg = {'id': req_id, 'method': method, 'params': params}
# subscriptions are a Q, normal requests are a future
if is_subscribe:
waitQ = asyncio.Queue()
self.subscriptions[method].append(waitQ)
fut = asyncio.Future(loop=self.loop)
self.inflight[req_id] = (msg, fut)
# send it via the transport, which serializes it
if not self.protocol:
logger.debug("Need to reconnect to server")
async def connect_first():
await self.reconnect()
self.protocol.send_data(msg)
self.loop.create_task(connect_first())
else:
# typical case, send request immediatedly, response is a future
self.protocol.send_data(msg)
return fut if not is_subscribe else (fut, waitQ) | python | def _send_request(self, method, params=[], is_subscribe = False):
'''
Send a new request to the server. Serialized the JSON and
tracks id numbers and optional callbacks.
'''
# pick a new ID
self.next_id += 1
req_id = self.next_id
# serialize as JSON
msg = {'id': req_id, 'method': method, 'params': params}
# subscriptions are a Q, normal requests are a future
if is_subscribe:
waitQ = asyncio.Queue()
self.subscriptions[method].append(waitQ)
fut = asyncio.Future(loop=self.loop)
self.inflight[req_id] = (msg, fut)
# send it via the transport, which serializes it
if not self.protocol:
logger.debug("Need to reconnect to server")
async def connect_first():
await self.reconnect()
self.protocol.send_data(msg)
self.loop.create_task(connect_first())
else:
# typical case, send request immediatedly, response is a future
self.protocol.send_data(msg)
return fut if not is_subscribe else (fut, waitQ) | [
"def",
"_send_request",
"(",
"self",
",",
"method",
",",
"params",
"=",
"[",
"]",
",",
"is_subscribe",
"=",
"False",
")",
":",
"# pick a new ID",
"self",
".",
"next_id",
"+=",
"1",
"req_id",
"=",
"self",
".",
"next_id",
"# serialize as JSON",
"msg",
"=",
"{",
"'id'",
":",
"req_id",
",",
"'method'",
":",
"method",
",",
"'params'",
":",
"params",
"}",
"# subscriptions are a Q, normal requests are a future",
"if",
"is_subscribe",
":",
"waitQ",
"=",
"asyncio",
".",
"Queue",
"(",
")",
"self",
".",
"subscriptions",
"[",
"method",
"]",
".",
"append",
"(",
"waitQ",
")",
"fut",
"=",
"asyncio",
".",
"Future",
"(",
"loop",
"=",
"self",
".",
"loop",
")",
"self",
".",
"inflight",
"[",
"req_id",
"]",
"=",
"(",
"msg",
",",
"fut",
")",
"# send it via the transport, which serializes it",
"if",
"not",
"self",
".",
"protocol",
":",
"logger",
".",
"debug",
"(",
"\"Need to reconnect to server\"",
")",
"async",
"def",
"connect_first",
"(",
")",
":",
"await",
"self",
".",
"reconnect",
"(",
")",
"self",
".",
"protocol",
".",
"send_data",
"(",
"msg",
")",
"self",
".",
"loop",
".",
"create_task",
"(",
"connect_first",
"(",
")",
")",
"else",
":",
"# typical case, send request immediatedly, response is a future",
"self",
".",
"protocol",
".",
"send_data",
"(",
"msg",
")",
"return",
"fut",
"if",
"not",
"is_subscribe",
"else",
"(",
"fut",
",",
"waitQ",
")"
] | Send a new request to the server. Serialized the JSON and
tracks id numbers and optional callbacks. | [
"Send",
"a",
"new",
"request",
"to",
"the",
"server",
".",
"Serialized",
"the",
"JSON",
"and",
"tracks",
"id",
"numbers",
"and",
"optional",
"callbacks",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/client.py#L176-L210 |
3,506 | coinkite/connectrum | connectrum/client.py | StratumClient._got_response | def _got_response(self, msg):
'''
Decode and dispatch responses from the server.
Has already been unframed and deserialized into an object.
'''
#logger.debug("MSG: %r" % msg)
resp_id = msg.get('id', None)
if resp_id is None:
# subscription traffic comes with method set, but no req id.
method = msg.get('method', None)
if not method:
logger.error("Incoming server message had no ID nor method in it", msg)
return
# not obvious, but result is on params, not result, for subscriptions
result = msg.get('params', None)
logger.debug("Traffic on subscription: %s" % method)
subs = self.subscriptions.get(method)
for q in subs:
self.loop.create_task(q.put(result))
return
assert 'method' not in msg
result = msg.get('result')
# fetch and forget about the request
inf = self.inflight.pop(resp_id)
if not inf:
logger.error("Incoming server message had unknown ID in it: %s" % resp_id)
return
# it's a future which is done now
req, rv = inf
if 'error' in msg:
err = msg['error']
logger.info("Error response: '%s'" % err)
rv.set_exception(ElectrumErrorResponse(err, req))
else:
rv.set_result(result) | python | def _got_response(self, msg):
'''
Decode and dispatch responses from the server.
Has already been unframed and deserialized into an object.
'''
#logger.debug("MSG: %r" % msg)
resp_id = msg.get('id', None)
if resp_id is None:
# subscription traffic comes with method set, but no req id.
method = msg.get('method', None)
if not method:
logger.error("Incoming server message had no ID nor method in it", msg)
return
# not obvious, but result is on params, not result, for subscriptions
result = msg.get('params', None)
logger.debug("Traffic on subscription: %s" % method)
subs = self.subscriptions.get(method)
for q in subs:
self.loop.create_task(q.put(result))
return
assert 'method' not in msg
result = msg.get('result')
# fetch and forget about the request
inf = self.inflight.pop(resp_id)
if not inf:
logger.error("Incoming server message had unknown ID in it: %s" % resp_id)
return
# it's a future which is done now
req, rv = inf
if 'error' in msg:
err = msg['error']
logger.info("Error response: '%s'" % err)
rv.set_exception(ElectrumErrorResponse(err, req))
else:
rv.set_result(result) | [
"def",
"_got_response",
"(",
"self",
",",
"msg",
")",
":",
"#logger.debug(\"MSG: %r\" % msg)",
"resp_id",
"=",
"msg",
".",
"get",
"(",
"'id'",
",",
"None",
")",
"if",
"resp_id",
"is",
"None",
":",
"# subscription traffic comes with method set, but no req id.",
"method",
"=",
"msg",
".",
"get",
"(",
"'method'",
",",
"None",
")",
"if",
"not",
"method",
":",
"logger",
".",
"error",
"(",
"\"Incoming server message had no ID nor method in it\"",
",",
"msg",
")",
"return",
"# not obvious, but result is on params, not result, for subscriptions",
"result",
"=",
"msg",
".",
"get",
"(",
"'params'",
",",
"None",
")",
"logger",
".",
"debug",
"(",
"\"Traffic on subscription: %s\"",
"%",
"method",
")",
"subs",
"=",
"self",
".",
"subscriptions",
".",
"get",
"(",
"method",
")",
"for",
"q",
"in",
"subs",
":",
"self",
".",
"loop",
".",
"create_task",
"(",
"q",
".",
"put",
"(",
"result",
")",
")",
"return",
"assert",
"'method'",
"not",
"in",
"msg",
"result",
"=",
"msg",
".",
"get",
"(",
"'result'",
")",
"# fetch and forget about the request",
"inf",
"=",
"self",
".",
"inflight",
".",
"pop",
"(",
"resp_id",
")",
"if",
"not",
"inf",
":",
"logger",
".",
"error",
"(",
"\"Incoming server message had unknown ID in it: %s\"",
"%",
"resp_id",
")",
"return",
"# it's a future which is done now",
"req",
",",
"rv",
"=",
"inf",
"if",
"'error'",
"in",
"msg",
":",
"err",
"=",
"msg",
"[",
"'error'",
"]",
"logger",
".",
"info",
"(",
"\"Error response: '%s'\"",
"%",
"err",
")",
"rv",
".",
"set_exception",
"(",
"ElectrumErrorResponse",
"(",
"err",
",",
"req",
")",
")",
"else",
":",
"rv",
".",
"set_result",
"(",
"result",
")"
] | Decode and dispatch responses from the server.
Has already been unframed and deserialized into an object. | [
"Decode",
"and",
"dispatch",
"responses",
"from",
"the",
"server",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/client.py#L212-L260 |
3,507 | coinkite/connectrum | connectrum/svr_info.py | KnownServers.from_json | def from_json(self, fname):
'''
Read contents of a CSV containing a list of servers.
'''
with open(fname, 'rt') as fp:
for row in json.load(fp):
nn = ServerInfo.from_dict(row)
self[str(nn)] = nn | python | def from_json(self, fname):
'''
Read contents of a CSV containing a list of servers.
'''
with open(fname, 'rt') as fp:
for row in json.load(fp):
nn = ServerInfo.from_dict(row)
self[str(nn)] = nn | [
"def",
"from_json",
"(",
"self",
",",
"fname",
")",
":",
"with",
"open",
"(",
"fname",
",",
"'rt'",
")",
"as",
"fp",
":",
"for",
"row",
"in",
"json",
".",
"load",
"(",
"fp",
")",
":",
"nn",
"=",
"ServerInfo",
".",
"from_dict",
"(",
"row",
")",
"self",
"[",
"str",
"(",
"nn",
")",
"]",
"=",
"nn"
] | Read contents of a CSV containing a list of servers. | [
"Read",
"contents",
"of",
"a",
"CSV",
"containing",
"a",
"list",
"of",
"servers",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/svr_info.py#L171-L178 |
3,508 | coinkite/connectrum | connectrum/svr_info.py | KnownServers.from_irc | def from_irc(self, irc_nickname=None, irc_password=None):
'''
Connect to the IRC channel and find all servers presently connected.
Slow; takes 30+ seconds but authoritative and current.
OBSOLETE.
'''
if have_bottom:
from .findall import IrcListener
# connect and fetch current set of servers who are
# on #electrum channel at freenode
bot = IrcListener(irc_nickname=irc_nickname, irc_password=irc_password)
results = bot.loop.run_until_complete(bot.collect_data())
bot.loop.close()
# merge by nick name
self.update(results)
else:
return(False) | python | def from_irc(self, irc_nickname=None, irc_password=None):
'''
Connect to the IRC channel and find all servers presently connected.
Slow; takes 30+ seconds but authoritative and current.
OBSOLETE.
'''
if have_bottom:
from .findall import IrcListener
# connect and fetch current set of servers who are
# on #electrum channel at freenode
bot = IrcListener(irc_nickname=irc_nickname, irc_password=irc_password)
results = bot.loop.run_until_complete(bot.collect_data())
bot.loop.close()
# merge by nick name
self.update(results)
else:
return(False) | [
"def",
"from_irc",
"(",
"self",
",",
"irc_nickname",
"=",
"None",
",",
"irc_password",
"=",
"None",
")",
":",
"if",
"have_bottom",
":",
"from",
".",
"findall",
"import",
"IrcListener",
"# connect and fetch current set of servers who are",
"# on #electrum channel at freenode",
"bot",
"=",
"IrcListener",
"(",
"irc_nickname",
"=",
"irc_nickname",
",",
"irc_password",
"=",
"irc_password",
")",
"results",
"=",
"bot",
".",
"loop",
".",
"run_until_complete",
"(",
"bot",
".",
"collect_data",
"(",
")",
")",
"bot",
".",
"loop",
".",
"close",
"(",
")",
"# merge by nick name",
"self",
".",
"update",
"(",
"results",
")",
"else",
":",
"return",
"(",
"False",
")"
] | Connect to the IRC channel and find all servers presently connected.
Slow; takes 30+ seconds but authoritative and current.
OBSOLETE. | [
"Connect",
"to",
"the",
"IRC",
"channel",
"and",
"find",
"all",
"servers",
"presently",
"connected",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/svr_info.py#L180-L201 |
3,509 | coinkite/connectrum | connectrum/svr_info.py | KnownServers.save_json | def save_json(self, fname='servers.json'):
'''
Write out to a CSV file.
'''
rows = sorted(self.keys())
with open(fname, 'wt') as fp:
json.dump([self[k] for k in rows], fp, indent=1) | python | def save_json(self, fname='servers.json'):
'''
Write out to a CSV file.
'''
rows = sorted(self.keys())
with open(fname, 'wt') as fp:
json.dump([self[k] for k in rows], fp, indent=1) | [
"def",
"save_json",
"(",
"self",
",",
"fname",
"=",
"'servers.json'",
")",
":",
"rows",
"=",
"sorted",
"(",
"self",
".",
"keys",
"(",
")",
")",
"with",
"open",
"(",
"fname",
",",
"'wt'",
")",
"as",
"fp",
":",
"json",
".",
"dump",
"(",
"[",
"self",
"[",
"k",
"]",
"for",
"k",
"in",
"rows",
"]",
",",
"fp",
",",
"indent",
"=",
"1",
")"
] | Write out to a CSV file. | [
"Write",
"out",
"to",
"a",
"CSV",
"file",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/svr_info.py#L238-L244 |
3,510 | coinkite/connectrum | connectrum/svr_info.py | KnownServers.select | def select(self, **kws):
'''
Find all servers with indicated protocol support. Shuffled.
Filter by TOR support, and pruning level.
'''
lst = [i for i in self.values() if i.select(**kws)]
random.shuffle(lst)
return lst | python | def select(self, **kws):
'''
Find all servers with indicated protocol support. Shuffled.
Filter by TOR support, and pruning level.
'''
lst = [i for i in self.values() if i.select(**kws)]
random.shuffle(lst)
return lst | [
"def",
"select",
"(",
"self",
",",
"*",
"*",
"kws",
")",
":",
"lst",
"=",
"[",
"i",
"for",
"i",
"in",
"self",
".",
"values",
"(",
")",
"if",
"i",
".",
"select",
"(",
"*",
"*",
"kws",
")",
"]",
"random",
".",
"shuffle",
"(",
"lst",
")",
"return",
"lst"
] | Find all servers with indicated protocol support. Shuffled.
Filter by TOR support, and pruning level. | [
"Find",
"all",
"servers",
"with",
"indicated",
"protocol",
"support",
".",
"Shuffled",
"."
] | 99948f92cc5c3ecb1a8a70146294014e608e50fc | https://github.com/coinkite/connectrum/blob/99948f92cc5c3ecb1a8a70146294014e608e50fc/connectrum/svr_info.py#L249-L259 |
3,511 | mitodl/pylti | pylti/common.py | _post_patched_request | def _post_patched_request(consumers, lti_key, body,
url, method, content_type):
"""
Authorization header needs to be capitalized for some LTI clients
this function ensures that header is capitalized
:param body: body of the call
:param client: OAuth Client
:param url: outcome url
:return: response
"""
# pylint: disable=too-many-locals, too-many-arguments
oauth_server = LTIOAuthServer(consumers)
oauth_server.add_signature_method(SignatureMethod_HMAC_SHA1_Unicode())
lti_consumer = oauth_server.lookup_consumer(lti_key)
lti_cert = oauth_server.lookup_cert(lti_key)
secret = lti_consumer.secret
consumer = oauth2.Consumer(key=lti_key, secret=secret)
client = oauth2.Client(consumer)
if lti_cert:
client.add_certificate(key=lti_cert, cert=lti_cert, domain='')
log.debug("cert %s", lti_cert)
import httplib2
http = httplib2.Http
# pylint: disable=protected-access
normalize = http._normalize_headers
def my_normalize(self, headers):
""" This function patches Authorization header """
ret = normalize(self, headers)
if 'authorization' in ret:
ret['Authorization'] = ret.pop('authorization')
log.debug("headers")
log.debug(headers)
return ret
http._normalize_headers = my_normalize
monkey_patch_function = normalize
response, content = client.request(
url,
method,
body=body.encode('utf-8'),
headers={'Content-Type': content_type})
http = httplib2.Http
# pylint: disable=protected-access
http._normalize_headers = monkey_patch_function
log.debug("key %s", lti_key)
log.debug("secret %s", secret)
log.debug("url %s", url)
log.debug("response %s", response)
log.debug("content %s", format(content))
return response, content | python | def _post_patched_request(consumers, lti_key, body,
url, method, content_type):
"""
Authorization header needs to be capitalized for some LTI clients
this function ensures that header is capitalized
:param body: body of the call
:param client: OAuth Client
:param url: outcome url
:return: response
"""
# pylint: disable=too-many-locals, too-many-arguments
oauth_server = LTIOAuthServer(consumers)
oauth_server.add_signature_method(SignatureMethod_HMAC_SHA1_Unicode())
lti_consumer = oauth_server.lookup_consumer(lti_key)
lti_cert = oauth_server.lookup_cert(lti_key)
secret = lti_consumer.secret
consumer = oauth2.Consumer(key=lti_key, secret=secret)
client = oauth2.Client(consumer)
if lti_cert:
client.add_certificate(key=lti_cert, cert=lti_cert, domain='')
log.debug("cert %s", lti_cert)
import httplib2
http = httplib2.Http
# pylint: disable=protected-access
normalize = http._normalize_headers
def my_normalize(self, headers):
""" This function patches Authorization header """
ret = normalize(self, headers)
if 'authorization' in ret:
ret['Authorization'] = ret.pop('authorization')
log.debug("headers")
log.debug(headers)
return ret
http._normalize_headers = my_normalize
monkey_patch_function = normalize
response, content = client.request(
url,
method,
body=body.encode('utf-8'),
headers={'Content-Type': content_type})
http = httplib2.Http
# pylint: disable=protected-access
http._normalize_headers = monkey_patch_function
log.debug("key %s", lti_key)
log.debug("secret %s", secret)
log.debug("url %s", url)
log.debug("response %s", response)
log.debug("content %s", format(content))
return response, content | [
"def",
"_post_patched_request",
"(",
"consumers",
",",
"lti_key",
",",
"body",
",",
"url",
",",
"method",
",",
"content_type",
")",
":",
"# pylint: disable=too-many-locals, too-many-arguments",
"oauth_server",
"=",
"LTIOAuthServer",
"(",
"consumers",
")",
"oauth_server",
".",
"add_signature_method",
"(",
"SignatureMethod_HMAC_SHA1_Unicode",
"(",
")",
")",
"lti_consumer",
"=",
"oauth_server",
".",
"lookup_consumer",
"(",
"lti_key",
")",
"lti_cert",
"=",
"oauth_server",
".",
"lookup_cert",
"(",
"lti_key",
")",
"secret",
"=",
"lti_consumer",
".",
"secret",
"consumer",
"=",
"oauth2",
".",
"Consumer",
"(",
"key",
"=",
"lti_key",
",",
"secret",
"=",
"secret",
")",
"client",
"=",
"oauth2",
".",
"Client",
"(",
"consumer",
")",
"if",
"lti_cert",
":",
"client",
".",
"add_certificate",
"(",
"key",
"=",
"lti_cert",
",",
"cert",
"=",
"lti_cert",
",",
"domain",
"=",
"''",
")",
"log",
".",
"debug",
"(",
"\"cert %s\"",
",",
"lti_cert",
")",
"import",
"httplib2",
"http",
"=",
"httplib2",
".",
"Http",
"# pylint: disable=protected-access",
"normalize",
"=",
"http",
".",
"_normalize_headers",
"def",
"my_normalize",
"(",
"self",
",",
"headers",
")",
":",
"\"\"\" This function patches Authorization header \"\"\"",
"ret",
"=",
"normalize",
"(",
"self",
",",
"headers",
")",
"if",
"'authorization'",
"in",
"ret",
":",
"ret",
"[",
"'Authorization'",
"]",
"=",
"ret",
".",
"pop",
"(",
"'authorization'",
")",
"log",
".",
"debug",
"(",
"\"headers\"",
")",
"log",
".",
"debug",
"(",
"headers",
")",
"return",
"ret",
"http",
".",
"_normalize_headers",
"=",
"my_normalize",
"monkey_patch_function",
"=",
"normalize",
"response",
",",
"content",
"=",
"client",
".",
"request",
"(",
"url",
",",
"method",
",",
"body",
"=",
"body",
".",
"encode",
"(",
"'utf-8'",
")",
",",
"headers",
"=",
"{",
"'Content-Type'",
":",
"content_type",
"}",
")",
"http",
"=",
"httplib2",
".",
"Http",
"# pylint: disable=protected-access",
"http",
".",
"_normalize_headers",
"=",
"monkey_patch_function",
"log",
".",
"debug",
"(",
"\"key %s\"",
",",
"lti_key",
")",
"log",
".",
"debug",
"(",
"\"secret %s\"",
",",
"secret",
")",
"log",
".",
"debug",
"(",
"\"url %s\"",
",",
"url",
")",
"log",
".",
"debug",
"(",
"\"response %s\"",
",",
"response",
")",
"log",
".",
"debug",
"(",
"\"content %s\"",
",",
"format",
"(",
"content",
")",
")",
"return",
"response",
",",
"content"
] | Authorization header needs to be capitalized for some LTI clients
this function ensures that header is capitalized
:param body: body of the call
:param client: OAuth Client
:param url: outcome url
:return: response | [
"Authorization",
"header",
"needs",
"to",
"be",
"capitalized",
"for",
"some",
"LTI",
"clients",
"this",
"function",
"ensures",
"that",
"header",
"is",
"capitalized"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L145-L203 |
3,512 | mitodl/pylti | pylti/common.py | post_message | def post_message(consumers, lti_key, url, body):
"""
Posts a signed message to LTI consumer
:param consumers: consumers from config
:param lti_key: key to find appropriate consumer
:param url: post url
:param body: xml body
:return: success
"""
content_type = 'application/xml'
method = 'POST'
(_, content) = _post_patched_request(
consumers,
lti_key,
body,
url,
method,
content_type,
)
is_success = b"<imsx_codeMajor>success</imsx_codeMajor>" in content
log.debug("is success %s", is_success)
return is_success | python | def post_message(consumers, lti_key, url, body):
"""
Posts a signed message to LTI consumer
:param consumers: consumers from config
:param lti_key: key to find appropriate consumer
:param url: post url
:param body: xml body
:return: success
"""
content_type = 'application/xml'
method = 'POST'
(_, content) = _post_patched_request(
consumers,
lti_key,
body,
url,
method,
content_type,
)
is_success = b"<imsx_codeMajor>success</imsx_codeMajor>" in content
log.debug("is success %s", is_success)
return is_success | [
"def",
"post_message",
"(",
"consumers",
",",
"lti_key",
",",
"url",
",",
"body",
")",
":",
"content_type",
"=",
"'application/xml'",
"method",
"=",
"'POST'",
"(",
"_",
",",
"content",
")",
"=",
"_post_patched_request",
"(",
"consumers",
",",
"lti_key",
",",
"body",
",",
"url",
",",
"method",
",",
"content_type",
",",
")",
"is_success",
"=",
"b\"<imsx_codeMajor>success</imsx_codeMajor>\"",
"in",
"content",
"log",
".",
"debug",
"(",
"\"is success %s\"",
",",
"is_success",
")",
"return",
"is_success"
] | Posts a signed message to LTI consumer
:param consumers: consumers from config
:param lti_key: key to find appropriate consumer
:param url: post url
:param body: xml body
:return: success | [
"Posts",
"a",
"signed",
"message",
"to",
"LTI",
"consumer"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L206-L229 |
3,513 | mitodl/pylti | pylti/common.py | post_message2 | def post_message2(consumers, lti_key, url, body,
method='POST', content_type='application/xml'):
"""
Posts a signed message to LTI consumer using LTI 2.0 format
:param: consumers: consumers from config
:param: lti_key: key to find appropriate consumer
:param: url: post url
:param: body: xml body
:return: success
"""
# pylint: disable=too-many-arguments
(response, _) = _post_patched_request(
consumers,
lti_key,
body,
url,
method,
content_type,
)
is_success = response.status == 200
log.debug("is success %s", is_success)
return is_success | python | def post_message2(consumers, lti_key, url, body,
method='POST', content_type='application/xml'):
"""
Posts a signed message to LTI consumer using LTI 2.0 format
:param: consumers: consumers from config
:param: lti_key: key to find appropriate consumer
:param: url: post url
:param: body: xml body
:return: success
"""
# pylint: disable=too-many-arguments
(response, _) = _post_patched_request(
consumers,
lti_key,
body,
url,
method,
content_type,
)
is_success = response.status == 200
log.debug("is success %s", is_success)
return is_success | [
"def",
"post_message2",
"(",
"consumers",
",",
"lti_key",
",",
"url",
",",
"body",
",",
"method",
"=",
"'POST'",
",",
"content_type",
"=",
"'application/xml'",
")",
":",
"# pylint: disable=too-many-arguments",
"(",
"response",
",",
"_",
")",
"=",
"_post_patched_request",
"(",
"consumers",
",",
"lti_key",
",",
"body",
",",
"url",
",",
"method",
",",
"content_type",
",",
")",
"is_success",
"=",
"response",
".",
"status",
"==",
"200",
"log",
".",
"debug",
"(",
"\"is success %s\"",
",",
"is_success",
")",
"return",
"is_success"
] | Posts a signed message to LTI consumer using LTI 2.0 format
:param: consumers: consumers from config
:param: lti_key: key to find appropriate consumer
:param: url: post url
:param: body: xml body
:return: success | [
"Posts",
"a",
"signed",
"message",
"to",
"LTI",
"consumer",
"using",
"LTI",
"2",
".",
"0",
"format"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L232-L256 |
3,514 | mitodl/pylti | pylti/common.py | verify_request_common | def verify_request_common(consumers, url, method, headers, params):
"""
Verifies that request is valid
:param consumers: consumers from config file
:param url: request url
:param method: request method
:param headers: request headers
:param params: request params
:return: is request valid
"""
log.debug("consumers %s", consumers)
log.debug("url %s", url)
log.debug("method %s", method)
log.debug("headers %s", headers)
log.debug("params %s", params)
oauth_server = LTIOAuthServer(consumers)
oauth_server.add_signature_method(
SignatureMethod_PLAINTEXT_Unicode())
oauth_server.add_signature_method(
SignatureMethod_HMAC_SHA1_Unicode())
# Check header for SSL before selecting the url
if headers.get('X-Forwarded-Proto', 'http') == 'https':
url = url.replace('http:', 'https:', 1)
oauth_request = Request_Fix_Duplicate.from_request(
method,
url,
headers=dict(headers),
parameters=params
)
if not oauth_request:
log.info('Received non oauth request on oauth protected page')
raise LTIException('This page requires a valid oauth session '
'or request')
try:
# pylint: disable=protected-access
oauth_consumer_key = oauth_request.get_parameter('oauth_consumer_key')
consumer = oauth_server.lookup_consumer(oauth_consumer_key)
if not consumer:
raise oauth2.Error('Invalid consumer.')
oauth_server.verify_request(oauth_request, consumer, None)
except oauth2.Error:
# Rethrow our own for nice error handling (don't print
# error message as it will contain the key
raise LTIException("OAuth error: Please check your key and secret")
return True | python | def verify_request_common(consumers, url, method, headers, params):
"""
Verifies that request is valid
:param consumers: consumers from config file
:param url: request url
:param method: request method
:param headers: request headers
:param params: request params
:return: is request valid
"""
log.debug("consumers %s", consumers)
log.debug("url %s", url)
log.debug("method %s", method)
log.debug("headers %s", headers)
log.debug("params %s", params)
oauth_server = LTIOAuthServer(consumers)
oauth_server.add_signature_method(
SignatureMethod_PLAINTEXT_Unicode())
oauth_server.add_signature_method(
SignatureMethod_HMAC_SHA1_Unicode())
# Check header for SSL before selecting the url
if headers.get('X-Forwarded-Proto', 'http') == 'https':
url = url.replace('http:', 'https:', 1)
oauth_request = Request_Fix_Duplicate.from_request(
method,
url,
headers=dict(headers),
parameters=params
)
if not oauth_request:
log.info('Received non oauth request on oauth protected page')
raise LTIException('This page requires a valid oauth session '
'or request')
try:
# pylint: disable=protected-access
oauth_consumer_key = oauth_request.get_parameter('oauth_consumer_key')
consumer = oauth_server.lookup_consumer(oauth_consumer_key)
if not consumer:
raise oauth2.Error('Invalid consumer.')
oauth_server.verify_request(oauth_request, consumer, None)
except oauth2.Error:
# Rethrow our own for nice error handling (don't print
# error message as it will contain the key
raise LTIException("OAuth error: Please check your key and secret")
return True | [
"def",
"verify_request_common",
"(",
"consumers",
",",
"url",
",",
"method",
",",
"headers",
",",
"params",
")",
":",
"log",
".",
"debug",
"(",
"\"consumers %s\"",
",",
"consumers",
")",
"log",
".",
"debug",
"(",
"\"url %s\"",
",",
"url",
")",
"log",
".",
"debug",
"(",
"\"method %s\"",
",",
"method",
")",
"log",
".",
"debug",
"(",
"\"headers %s\"",
",",
"headers",
")",
"log",
".",
"debug",
"(",
"\"params %s\"",
",",
"params",
")",
"oauth_server",
"=",
"LTIOAuthServer",
"(",
"consumers",
")",
"oauth_server",
".",
"add_signature_method",
"(",
"SignatureMethod_PLAINTEXT_Unicode",
"(",
")",
")",
"oauth_server",
".",
"add_signature_method",
"(",
"SignatureMethod_HMAC_SHA1_Unicode",
"(",
")",
")",
"# Check header for SSL before selecting the url",
"if",
"headers",
".",
"get",
"(",
"'X-Forwarded-Proto'",
",",
"'http'",
")",
"==",
"'https'",
":",
"url",
"=",
"url",
".",
"replace",
"(",
"'http:'",
",",
"'https:'",
",",
"1",
")",
"oauth_request",
"=",
"Request_Fix_Duplicate",
".",
"from_request",
"(",
"method",
",",
"url",
",",
"headers",
"=",
"dict",
"(",
"headers",
")",
",",
"parameters",
"=",
"params",
")",
"if",
"not",
"oauth_request",
":",
"log",
".",
"info",
"(",
"'Received non oauth request on oauth protected page'",
")",
"raise",
"LTIException",
"(",
"'This page requires a valid oauth session '",
"'or request'",
")",
"try",
":",
"# pylint: disable=protected-access",
"oauth_consumer_key",
"=",
"oauth_request",
".",
"get_parameter",
"(",
"'oauth_consumer_key'",
")",
"consumer",
"=",
"oauth_server",
".",
"lookup_consumer",
"(",
"oauth_consumer_key",
")",
"if",
"not",
"consumer",
":",
"raise",
"oauth2",
".",
"Error",
"(",
"'Invalid consumer.'",
")",
"oauth_server",
".",
"verify_request",
"(",
"oauth_request",
",",
"consumer",
",",
"None",
")",
"except",
"oauth2",
".",
"Error",
":",
"# Rethrow our own for nice error handling (don't print",
"# error message as it will contain the key",
"raise",
"LTIException",
"(",
"\"OAuth error: Please check your key and secret\"",
")",
"return",
"True"
] | Verifies that request is valid
:param consumers: consumers from config file
:param url: request url
:param method: request method
:param headers: request headers
:param params: request params
:return: is request valid | [
"Verifies",
"that",
"request",
"is",
"valid"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L259-L308 |
3,515 | mitodl/pylti | pylti/common.py | generate_request_xml | def generate_request_xml(message_identifier_id, operation,
lis_result_sourcedid, score):
# pylint: disable=too-many-locals
"""
Generates LTI 1.1 XML for posting result to LTI consumer.
:param message_identifier_id:
:param operation:
:param lis_result_sourcedid:
:param score:
:return: XML string
"""
root = etree.Element(u'imsx_POXEnvelopeRequest',
xmlns=u'http://www.imsglobal.org/services/'
u'ltiv1p1/xsd/imsoms_v1p0')
header = etree.SubElement(root, 'imsx_POXHeader')
header_info = etree.SubElement(header, 'imsx_POXRequestHeaderInfo')
version = etree.SubElement(header_info, 'imsx_version')
version.text = 'V1.0'
message_identifier = etree.SubElement(header_info,
'imsx_messageIdentifier')
message_identifier.text = message_identifier_id
body = etree.SubElement(root, 'imsx_POXBody')
xml_request = etree.SubElement(body, '%s%s' % (operation, 'Request'))
record = etree.SubElement(xml_request, 'resultRecord')
guid = etree.SubElement(record, 'sourcedGUID')
sourcedid = etree.SubElement(guid, 'sourcedId')
sourcedid.text = lis_result_sourcedid
if score is not None:
result = etree.SubElement(record, 'result')
result_score = etree.SubElement(result, 'resultScore')
language = etree.SubElement(result_score, 'language')
language.text = 'en'
text_string = etree.SubElement(result_score, 'textString')
text_string.text = score.__str__()
ret = "<?xml version='1.0' encoding='utf-8'?>\n{}".format(
etree.tostring(root, encoding='utf-8').decode('utf-8'))
log.debug("XML Response: \n%s", ret)
return ret | python | def generate_request_xml(message_identifier_id, operation,
lis_result_sourcedid, score):
# pylint: disable=too-many-locals
"""
Generates LTI 1.1 XML for posting result to LTI consumer.
:param message_identifier_id:
:param operation:
:param lis_result_sourcedid:
:param score:
:return: XML string
"""
root = etree.Element(u'imsx_POXEnvelopeRequest',
xmlns=u'http://www.imsglobal.org/services/'
u'ltiv1p1/xsd/imsoms_v1p0')
header = etree.SubElement(root, 'imsx_POXHeader')
header_info = etree.SubElement(header, 'imsx_POXRequestHeaderInfo')
version = etree.SubElement(header_info, 'imsx_version')
version.text = 'V1.0'
message_identifier = etree.SubElement(header_info,
'imsx_messageIdentifier')
message_identifier.text = message_identifier_id
body = etree.SubElement(root, 'imsx_POXBody')
xml_request = etree.SubElement(body, '%s%s' % (operation, 'Request'))
record = etree.SubElement(xml_request, 'resultRecord')
guid = etree.SubElement(record, 'sourcedGUID')
sourcedid = etree.SubElement(guid, 'sourcedId')
sourcedid.text = lis_result_sourcedid
if score is not None:
result = etree.SubElement(record, 'result')
result_score = etree.SubElement(result, 'resultScore')
language = etree.SubElement(result_score, 'language')
language.text = 'en'
text_string = etree.SubElement(result_score, 'textString')
text_string.text = score.__str__()
ret = "<?xml version='1.0' encoding='utf-8'?>\n{}".format(
etree.tostring(root, encoding='utf-8').decode('utf-8'))
log.debug("XML Response: \n%s", ret)
return ret | [
"def",
"generate_request_xml",
"(",
"message_identifier_id",
",",
"operation",
",",
"lis_result_sourcedid",
",",
"score",
")",
":",
"# pylint: disable=too-many-locals",
"root",
"=",
"etree",
".",
"Element",
"(",
"u'imsx_POXEnvelopeRequest'",
",",
"xmlns",
"=",
"u'http://www.imsglobal.org/services/'",
"u'ltiv1p1/xsd/imsoms_v1p0'",
")",
"header",
"=",
"etree",
".",
"SubElement",
"(",
"root",
",",
"'imsx_POXHeader'",
")",
"header_info",
"=",
"etree",
".",
"SubElement",
"(",
"header",
",",
"'imsx_POXRequestHeaderInfo'",
")",
"version",
"=",
"etree",
".",
"SubElement",
"(",
"header_info",
",",
"'imsx_version'",
")",
"version",
".",
"text",
"=",
"'V1.0'",
"message_identifier",
"=",
"etree",
".",
"SubElement",
"(",
"header_info",
",",
"'imsx_messageIdentifier'",
")",
"message_identifier",
".",
"text",
"=",
"message_identifier_id",
"body",
"=",
"etree",
".",
"SubElement",
"(",
"root",
",",
"'imsx_POXBody'",
")",
"xml_request",
"=",
"etree",
".",
"SubElement",
"(",
"body",
",",
"'%s%s'",
"%",
"(",
"operation",
",",
"'Request'",
")",
")",
"record",
"=",
"etree",
".",
"SubElement",
"(",
"xml_request",
",",
"'resultRecord'",
")",
"guid",
"=",
"etree",
".",
"SubElement",
"(",
"record",
",",
"'sourcedGUID'",
")",
"sourcedid",
"=",
"etree",
".",
"SubElement",
"(",
"guid",
",",
"'sourcedId'",
")",
"sourcedid",
".",
"text",
"=",
"lis_result_sourcedid",
"if",
"score",
"is",
"not",
"None",
":",
"result",
"=",
"etree",
".",
"SubElement",
"(",
"record",
",",
"'result'",
")",
"result_score",
"=",
"etree",
".",
"SubElement",
"(",
"result",
",",
"'resultScore'",
")",
"language",
"=",
"etree",
".",
"SubElement",
"(",
"result_score",
",",
"'language'",
")",
"language",
".",
"text",
"=",
"'en'",
"text_string",
"=",
"etree",
".",
"SubElement",
"(",
"result_score",
",",
"'textString'",
")",
"text_string",
".",
"text",
"=",
"score",
".",
"__str__",
"(",
")",
"ret",
"=",
"\"<?xml version='1.0' encoding='utf-8'?>\\n{}\"",
".",
"format",
"(",
"etree",
".",
"tostring",
"(",
"root",
",",
"encoding",
"=",
"'utf-8'",
")",
".",
"decode",
"(",
"'utf-8'",
")",
")",
"log",
".",
"debug",
"(",
"\"XML Response: \\n%s\"",
",",
"ret",
")",
"return",
"ret"
] | Generates LTI 1.1 XML for posting result to LTI consumer.
:param message_identifier_id:
:param operation:
:param lis_result_sourcedid:
:param score:
:return: XML string | [
"Generates",
"LTI",
"1",
".",
"1",
"XML",
"for",
"posting",
"result",
"to",
"LTI",
"consumer",
"."
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L311-L353 |
3,516 | mitodl/pylti | pylti/common.py | LTIBase.is_role | def is_role(self, role):
"""
Verify if user is in role
:param: role: role to verify against
:return: if user is in role
:exception: LTIException if role is unknown
"""
log.debug("is_role %s", role)
roles = self.session['roles'].split(',')
if role in LTI_ROLES:
role_list = LTI_ROLES[role]
# find the intersection of the roles
roles = set(role_list) & set(roles)
is_user_role_there = len(roles) >= 1
log.debug(
"is_role roles_list=%s role=%s in list=%s", role_list,
roles, is_user_role_there
)
return is_user_role_there
else:
raise LTIException("Unknown role {}.".format(role)) | python | def is_role(self, role):
"""
Verify if user is in role
:param: role: role to verify against
:return: if user is in role
:exception: LTIException if role is unknown
"""
log.debug("is_role %s", role)
roles = self.session['roles'].split(',')
if role in LTI_ROLES:
role_list = LTI_ROLES[role]
# find the intersection of the roles
roles = set(role_list) & set(roles)
is_user_role_there = len(roles) >= 1
log.debug(
"is_role roles_list=%s role=%s in list=%s", role_list,
roles, is_user_role_there
)
return is_user_role_there
else:
raise LTIException("Unknown role {}.".format(role)) | [
"def",
"is_role",
"(",
"self",
",",
"role",
")",
":",
"log",
".",
"debug",
"(",
"\"is_role %s\"",
",",
"role",
")",
"roles",
"=",
"self",
".",
"session",
"[",
"'roles'",
"]",
".",
"split",
"(",
"','",
")",
"if",
"role",
"in",
"LTI_ROLES",
":",
"role_list",
"=",
"LTI_ROLES",
"[",
"role",
"]",
"# find the intersection of the roles",
"roles",
"=",
"set",
"(",
"role_list",
")",
"&",
"set",
"(",
"roles",
")",
"is_user_role_there",
"=",
"len",
"(",
"roles",
")",
">=",
"1",
"log",
".",
"debug",
"(",
"\"is_role roles_list=%s role=%s in list=%s\"",
",",
"role_list",
",",
"roles",
",",
"is_user_role_there",
")",
"return",
"is_user_role_there",
"else",
":",
"raise",
"LTIException",
"(",
"\"Unknown role {}.\"",
".",
"format",
"(",
"role",
")",
")"
] | Verify if user is in role
:param: role: role to verify against
:return: if user is in role
:exception: LTIException if role is unknown | [
"Verify",
"if",
"user",
"is",
"in",
"role"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L550-L571 |
3,517 | mitodl/pylti | pylti/common.py | LTIBase._check_role | def _check_role(self):
"""
Check that user is in role specified as wrapper attribute
:exception: LTIRoleException if user is not in roles
"""
role = u'any'
if 'role' in self.lti_kwargs:
role = self.lti_kwargs['role']
log.debug(
"check_role lti_role=%s decorator_role=%s", self.role, role
)
if not (role == u'any' or self.is_role(self, role)):
raise LTIRoleException('Not authorized.') | python | def _check_role(self):
"""
Check that user is in role specified as wrapper attribute
:exception: LTIRoleException if user is not in roles
"""
role = u'any'
if 'role' in self.lti_kwargs:
role = self.lti_kwargs['role']
log.debug(
"check_role lti_role=%s decorator_role=%s", self.role, role
)
if not (role == u'any' or self.is_role(self, role)):
raise LTIRoleException('Not authorized.') | [
"def",
"_check_role",
"(",
"self",
")",
":",
"role",
"=",
"u'any'",
"if",
"'role'",
"in",
"self",
".",
"lti_kwargs",
":",
"role",
"=",
"self",
".",
"lti_kwargs",
"[",
"'role'",
"]",
"log",
".",
"debug",
"(",
"\"check_role lti_role=%s decorator_role=%s\"",
",",
"self",
".",
"role",
",",
"role",
")",
"if",
"not",
"(",
"role",
"==",
"u'any'",
"or",
"self",
".",
"is_role",
"(",
"self",
",",
"role",
")",
")",
":",
"raise",
"LTIRoleException",
"(",
"'Not authorized.'",
")"
] | Check that user is in role specified as wrapper attribute
:exception: LTIRoleException if user is not in roles | [
"Check",
"that",
"user",
"is",
"in",
"role",
"specified",
"as",
"wrapper",
"attribute"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L573-L586 |
3,518 | mitodl/pylti | pylti/common.py | LTIBase.post_grade | def post_grade(self, grade):
"""
Post grade to LTI consumer using XML
:param: grade: 0 <= grade <= 1
:return: True if post successful and grade valid
:exception: LTIPostMessageException if call failed
"""
message_identifier_id = self.message_identifier_id()
operation = 'replaceResult'
lis_result_sourcedid = self.lis_result_sourcedid
# # edX devbox fix
score = float(grade)
if 0 <= score <= 1.0:
xml = generate_request_xml(
message_identifier_id, operation, lis_result_sourcedid,
score)
ret = post_message(self._consumers(), self.key,
self.response_url, xml)
if not ret:
raise LTIPostMessageException("Post Message Failed")
return True
return False | python | def post_grade(self, grade):
"""
Post grade to LTI consumer using XML
:param: grade: 0 <= grade <= 1
:return: True if post successful and grade valid
:exception: LTIPostMessageException if call failed
"""
message_identifier_id = self.message_identifier_id()
operation = 'replaceResult'
lis_result_sourcedid = self.lis_result_sourcedid
# # edX devbox fix
score = float(grade)
if 0 <= score <= 1.0:
xml = generate_request_xml(
message_identifier_id, operation, lis_result_sourcedid,
score)
ret = post_message(self._consumers(), self.key,
self.response_url, xml)
if not ret:
raise LTIPostMessageException("Post Message Failed")
return True
return False | [
"def",
"post_grade",
"(",
"self",
",",
"grade",
")",
":",
"message_identifier_id",
"=",
"self",
".",
"message_identifier_id",
"(",
")",
"operation",
"=",
"'replaceResult'",
"lis_result_sourcedid",
"=",
"self",
".",
"lis_result_sourcedid",
"# # edX devbox fix",
"score",
"=",
"float",
"(",
"grade",
")",
"if",
"0",
"<=",
"score",
"<=",
"1.0",
":",
"xml",
"=",
"generate_request_xml",
"(",
"message_identifier_id",
",",
"operation",
",",
"lis_result_sourcedid",
",",
"score",
")",
"ret",
"=",
"post_message",
"(",
"self",
".",
"_consumers",
"(",
")",
",",
"self",
".",
"key",
",",
"self",
".",
"response_url",
",",
"xml",
")",
"if",
"not",
"ret",
":",
"raise",
"LTIPostMessageException",
"(",
"\"Post Message Failed\"",
")",
"return",
"True",
"return",
"False"
] | Post grade to LTI consumer using XML
:param: grade: 0 <= grade <= 1
:return: True if post successful and grade valid
:exception: LTIPostMessageException if call failed | [
"Post",
"grade",
"to",
"LTI",
"consumer",
"using",
"XML"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/common.py#L588-L611 |
3,519 | mitodl/pylti | pylti/flask.py | LTI._consumers | def _consumers(self):
"""
Gets consumer's map from app config
:return: consumers map
"""
app_config = self.lti_kwargs['app'].config
config = app_config.get('PYLTI_CONFIG', dict())
consumers = config.get('consumers', dict())
return consumers | python | def _consumers(self):
"""
Gets consumer's map from app config
:return: consumers map
"""
app_config = self.lti_kwargs['app'].config
config = app_config.get('PYLTI_CONFIG', dict())
consumers = config.get('consumers', dict())
return consumers | [
"def",
"_consumers",
"(",
"self",
")",
":",
"app_config",
"=",
"self",
".",
"lti_kwargs",
"[",
"'app'",
"]",
".",
"config",
"config",
"=",
"app_config",
".",
"get",
"(",
"'PYLTI_CONFIG'",
",",
"dict",
"(",
")",
")",
"consumers",
"=",
"config",
".",
"get",
"(",
"'consumers'",
",",
"dict",
"(",
")",
")",
"return",
"consumers"
] | Gets consumer's map from app config
:return: consumers map | [
"Gets",
"consumer",
"s",
"map",
"from",
"app",
"config"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/flask.py#L42-L51 |
3,520 | mitodl/pylti | pylti/flask.py | LTI.response_url | def response_url(self):
"""
Returns remapped lis_outcome_service_url
uses PYLTI_URL_FIX map to support edX dev-stack
:return: remapped lis_outcome_service_url
"""
url = ""
url = self.session['lis_outcome_service_url']
app_config = self.lti_kwargs['app'].config
urls = app_config.get('PYLTI_URL_FIX', dict())
# url remapping is useful for using devstack
# devstack reports httpS://localhost:8000/ and listens on HTTP
for prefix, mapping in urls.items():
if url.startswith(prefix):
for _from, _to in mapping.items():
url = url.replace(_from, _to)
return url | python | def response_url(self):
"""
Returns remapped lis_outcome_service_url
uses PYLTI_URL_FIX map to support edX dev-stack
:return: remapped lis_outcome_service_url
"""
url = ""
url = self.session['lis_outcome_service_url']
app_config = self.lti_kwargs['app'].config
urls = app_config.get('PYLTI_URL_FIX', dict())
# url remapping is useful for using devstack
# devstack reports httpS://localhost:8000/ and listens on HTTP
for prefix, mapping in urls.items():
if url.startswith(prefix):
for _from, _to in mapping.items():
url = url.replace(_from, _to)
return url | [
"def",
"response_url",
"(",
"self",
")",
":",
"url",
"=",
"\"\"",
"url",
"=",
"self",
".",
"session",
"[",
"'lis_outcome_service_url'",
"]",
"app_config",
"=",
"self",
".",
"lti_kwargs",
"[",
"'app'",
"]",
".",
"config",
"urls",
"=",
"app_config",
".",
"get",
"(",
"'PYLTI_URL_FIX'",
",",
"dict",
"(",
")",
")",
"# url remapping is useful for using devstack",
"# devstack reports httpS://localhost:8000/ and listens on HTTP",
"for",
"prefix",
",",
"mapping",
"in",
"urls",
".",
"items",
"(",
")",
":",
"if",
"url",
".",
"startswith",
"(",
"prefix",
")",
":",
"for",
"_from",
",",
"_to",
"in",
"mapping",
".",
"items",
"(",
")",
":",
"url",
"=",
"url",
".",
"replace",
"(",
"_from",
",",
"_to",
")",
"return",
"url"
] | Returns remapped lis_outcome_service_url
uses PYLTI_URL_FIX map to support edX dev-stack
:return: remapped lis_outcome_service_url | [
"Returns",
"remapped",
"lis_outcome_service_url",
"uses",
"PYLTI_URL_FIX",
"map",
"to",
"support",
"edX",
"dev",
"-",
"stack"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/flask.py#L90-L107 |
3,521 | mitodl/pylti | pylti/chalice.py | LTI._consumers | def _consumers(self):
"""
Gets consumers from Lambda environment variables prefixed with
CONSUMER_KEY_SECRET_. For example, given a consumer key of foo
and a shared secret of bar, you should have an environment
variable CONSUMER_KEY_SECRET_foo=bar.
:return: consumers map
:raises: LTIException if environment variables are not found
"""
consumers = {}
for env in os.environ:
if env.startswith('CONSUMER_KEY_SECRET_'):
key = env[20:] # Strip off the CONSUMER_KEY_SECRET_ prefix
# TODO: remove below after live test
# consumers[key] = {"secret": os.environ[env], "cert": 'NA'}
consumers[key] = {"secret": os.environ[env], "cert": None}
if not consumers:
raise LTIException("No consumers found. Chalice stores "
"consumers in Lambda environment variables. "
"Have you created the environment variables?")
return consumers | python | def _consumers(self):
"""
Gets consumers from Lambda environment variables prefixed with
CONSUMER_KEY_SECRET_. For example, given a consumer key of foo
and a shared secret of bar, you should have an environment
variable CONSUMER_KEY_SECRET_foo=bar.
:return: consumers map
:raises: LTIException if environment variables are not found
"""
consumers = {}
for env in os.environ:
if env.startswith('CONSUMER_KEY_SECRET_'):
key = env[20:] # Strip off the CONSUMER_KEY_SECRET_ prefix
# TODO: remove below after live test
# consumers[key] = {"secret": os.environ[env], "cert": 'NA'}
consumers[key] = {"secret": os.environ[env], "cert": None}
if not consumers:
raise LTIException("No consumers found. Chalice stores "
"consumers in Lambda environment variables. "
"Have you created the environment variables?")
return consumers | [
"def",
"_consumers",
"(",
"self",
")",
":",
"consumers",
"=",
"{",
"}",
"for",
"env",
"in",
"os",
".",
"environ",
":",
"if",
"env",
".",
"startswith",
"(",
"'CONSUMER_KEY_SECRET_'",
")",
":",
"key",
"=",
"env",
"[",
"20",
":",
"]",
"# Strip off the CONSUMER_KEY_SECRET_ prefix",
"# TODO: remove below after live test",
"# consumers[key] = {\"secret\": os.environ[env], \"cert\": 'NA'}",
"consumers",
"[",
"key",
"]",
"=",
"{",
"\"secret\"",
":",
"os",
".",
"environ",
"[",
"env",
"]",
",",
"\"cert\"",
":",
"None",
"}",
"if",
"not",
"consumers",
":",
"raise",
"LTIException",
"(",
"\"No consumers found. Chalice stores \"",
"\"consumers in Lambda environment variables. \"",
"\"Have you created the environment variables?\"",
")",
"return",
"consumers"
] | Gets consumers from Lambda environment variables prefixed with
CONSUMER_KEY_SECRET_. For example, given a consumer key of foo
and a shared secret of bar, you should have an environment
variable CONSUMER_KEY_SECRET_foo=bar.
:return: consumers map
:raises: LTIException if environment variables are not found | [
"Gets",
"consumers",
"from",
"Lambda",
"environment",
"variables",
"prefixed",
"with",
"CONSUMER_KEY_SECRET_",
".",
"For",
"example",
"given",
"a",
"consumer",
"key",
"of",
"foo",
"and",
"a",
"shared",
"secret",
"of",
"bar",
"you",
"should",
"have",
"an",
"environment",
"variable",
"CONSUMER_KEY_SECRET_foo",
"=",
"bar",
"."
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/chalice.py#L50-L71 |
3,522 | mitodl/pylti | pylti/chalice.py | LTI.verify_request | def verify_request(self):
"""
Verify LTI request
:raises: LTIException if request validation failed
"""
request = self.lti_kwargs['app'].current_request
if request.method == 'POST':
# Chalice expects JSON and does not nativly support forms data in
# a post body. The below is copied from the parsing of query
# strings as implimented in match_route of Chalice local.py
parsed_url = request.raw_body.decode()
parsed_qs = parse_qs(parsed_url, keep_blank_values=True)
params = {k: v[0] for k, v in parsed_qs .items()}
else:
params = request.query_params
log.debug(params)
log.debug('verify_request?')
try:
# Chalice does not have a url property therefore building it.
protocol = request.headers.get('x-forwarded-proto', 'http')
hostname = request.headers['host']
path = request.context['path']
url = urlunparse((protocol, hostname, path, "", "", ""))
verify_request_common(self._consumers(), url,
request.method, request.headers,
params)
log.debug('verify_request success')
# All good to go, store all of the LTI params into a
# session dict for use in views
for prop in LTI_PROPERTY_LIST:
if params.get(prop, None):
log.debug("params %s=%s", prop, params.get(prop, None))
self.session[prop] = params[prop]
# Set logged in session key
self.session[LTI_SESSION_KEY] = True
return True
except LTIException:
log.debug('verify_request failed')
for prop in LTI_PROPERTY_LIST:
if self.session.get(prop, None):
del self.session[prop]
self.session[LTI_SESSION_KEY] = False
raise | python | def verify_request(self):
"""
Verify LTI request
:raises: LTIException if request validation failed
"""
request = self.lti_kwargs['app'].current_request
if request.method == 'POST':
# Chalice expects JSON and does not nativly support forms data in
# a post body. The below is copied from the parsing of query
# strings as implimented in match_route of Chalice local.py
parsed_url = request.raw_body.decode()
parsed_qs = parse_qs(parsed_url, keep_blank_values=True)
params = {k: v[0] for k, v in parsed_qs .items()}
else:
params = request.query_params
log.debug(params)
log.debug('verify_request?')
try:
# Chalice does not have a url property therefore building it.
protocol = request.headers.get('x-forwarded-proto', 'http')
hostname = request.headers['host']
path = request.context['path']
url = urlunparse((protocol, hostname, path, "", "", ""))
verify_request_common(self._consumers(), url,
request.method, request.headers,
params)
log.debug('verify_request success')
# All good to go, store all of the LTI params into a
# session dict for use in views
for prop in LTI_PROPERTY_LIST:
if params.get(prop, None):
log.debug("params %s=%s", prop, params.get(prop, None))
self.session[prop] = params[prop]
# Set logged in session key
self.session[LTI_SESSION_KEY] = True
return True
except LTIException:
log.debug('verify_request failed')
for prop in LTI_PROPERTY_LIST:
if self.session.get(prop, None):
del self.session[prop]
self.session[LTI_SESSION_KEY] = False
raise | [
"def",
"verify_request",
"(",
"self",
")",
":",
"request",
"=",
"self",
".",
"lti_kwargs",
"[",
"'app'",
"]",
".",
"current_request",
"if",
"request",
".",
"method",
"==",
"'POST'",
":",
"# Chalice expects JSON and does not nativly support forms data in",
"# a post body. The below is copied from the parsing of query",
"# strings as implimented in match_route of Chalice local.py",
"parsed_url",
"=",
"request",
".",
"raw_body",
".",
"decode",
"(",
")",
"parsed_qs",
"=",
"parse_qs",
"(",
"parsed_url",
",",
"keep_blank_values",
"=",
"True",
")",
"params",
"=",
"{",
"k",
":",
"v",
"[",
"0",
"]",
"for",
"k",
",",
"v",
"in",
"parsed_qs",
".",
"items",
"(",
")",
"}",
"else",
":",
"params",
"=",
"request",
".",
"query_params",
"log",
".",
"debug",
"(",
"params",
")",
"log",
".",
"debug",
"(",
"'verify_request?'",
")",
"try",
":",
"# Chalice does not have a url property therefore building it.",
"protocol",
"=",
"request",
".",
"headers",
".",
"get",
"(",
"'x-forwarded-proto'",
",",
"'http'",
")",
"hostname",
"=",
"request",
".",
"headers",
"[",
"'host'",
"]",
"path",
"=",
"request",
".",
"context",
"[",
"'path'",
"]",
"url",
"=",
"urlunparse",
"(",
"(",
"protocol",
",",
"hostname",
",",
"path",
",",
"\"\"",
",",
"\"\"",
",",
"\"\"",
")",
")",
"verify_request_common",
"(",
"self",
".",
"_consumers",
"(",
")",
",",
"url",
",",
"request",
".",
"method",
",",
"request",
".",
"headers",
",",
"params",
")",
"log",
".",
"debug",
"(",
"'verify_request success'",
")",
"# All good to go, store all of the LTI params into a",
"# session dict for use in views",
"for",
"prop",
"in",
"LTI_PROPERTY_LIST",
":",
"if",
"params",
".",
"get",
"(",
"prop",
",",
"None",
")",
":",
"log",
".",
"debug",
"(",
"\"params %s=%s\"",
",",
"prop",
",",
"params",
".",
"get",
"(",
"prop",
",",
"None",
")",
")",
"self",
".",
"session",
"[",
"prop",
"]",
"=",
"params",
"[",
"prop",
"]",
"# Set logged in session key",
"self",
".",
"session",
"[",
"LTI_SESSION_KEY",
"]",
"=",
"True",
"return",
"True",
"except",
"LTIException",
":",
"log",
".",
"debug",
"(",
"'verify_request failed'",
")",
"for",
"prop",
"in",
"LTI_PROPERTY_LIST",
":",
"if",
"self",
".",
"session",
".",
"get",
"(",
"prop",
",",
"None",
")",
":",
"del",
"self",
".",
"session",
"[",
"prop",
"]",
"self",
".",
"session",
"[",
"LTI_SESSION_KEY",
"]",
"=",
"False",
"raise"
] | Verify LTI request
:raises: LTIException if request validation failed | [
"Verify",
"LTI",
"request"
] | 18a608282e0d5bc941beb2eaaeea3b7ad484b399 | https://github.com/mitodl/pylti/blob/18a608282e0d5bc941beb2eaaeea3b7ad484b399/pylti/chalice.py#L73-L119 |
3,523 | django-danceschool/django-danceschool | danceschool/core/views.py | EventRegistrationSelectView.get_queryset | def get_queryset(self):
''' Recent events are listed in link form. '''
return Event.objects.filter(
Q(startTime__gte=timezone.now() - timedelta(days=90)) & (
Q(series__isnull=False) | Q(publicevent__isnull=False)
)
).annotate(count=Count('eventregistration')).annotate(**self.get_annotations()).exclude(
Q(count=0) & Q(status__in=[
Event.RegStatus.hidden, Event.RegStatus.regHidden, Event.RegStatus.disabled
])
) | python | def get_queryset(self):
''' Recent events are listed in link form. '''
return Event.objects.filter(
Q(startTime__gte=timezone.now() - timedelta(days=90)) & (
Q(series__isnull=False) | Q(publicevent__isnull=False)
)
).annotate(count=Count('eventregistration')).annotate(**self.get_annotations()).exclude(
Q(count=0) & Q(status__in=[
Event.RegStatus.hidden, Event.RegStatus.regHidden, Event.RegStatus.disabled
])
) | [
"def",
"get_queryset",
"(",
"self",
")",
":",
"return",
"Event",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"startTime__gte",
"=",
"timezone",
".",
"now",
"(",
")",
"-",
"timedelta",
"(",
"days",
"=",
"90",
")",
")",
"&",
"(",
"Q",
"(",
"series__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"publicevent__isnull",
"=",
"False",
")",
")",
")",
".",
"annotate",
"(",
"count",
"=",
"Count",
"(",
"'eventregistration'",
")",
")",
".",
"annotate",
"(",
"*",
"*",
"self",
".",
"get_annotations",
"(",
")",
")",
".",
"exclude",
"(",
"Q",
"(",
"count",
"=",
"0",
")",
"&",
"Q",
"(",
"status__in",
"=",
"[",
"Event",
".",
"RegStatus",
".",
"hidden",
",",
"Event",
".",
"RegStatus",
".",
"regHidden",
",",
"Event",
".",
"RegStatus",
".",
"disabled",
"]",
")",
")"
] | Recent events are listed in link form. | [
"Recent",
"events",
"are",
"listed",
"in",
"link",
"form",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L53-L64 |
3,524 | django-danceschool/django-danceschool | danceschool/core/views.py | EventRegistrationSummaryView.get_context_data | def get_context_data(self, **kwargs):
''' Add the list of registrations for the given series '''
# Update the site session data so that registration processes know to send return links to
# the view class registrations page. set_return_page() is in SiteHistoryMixin.
self.set_return_page('viewregistrations',_('View Registrations'),event_id=self.object.id)
context = {
'event': self.object,
'registrations': EventRegistration.objects.filter(
event=self.object,
cancelled=False
).order_by('registration__customer__user__first_name', 'registration__customer__user__last_name'),
}
context.update(kwargs)
return super(EventRegistrationSummaryView, self).get_context_data(**context) | python | def get_context_data(self, **kwargs):
''' Add the list of registrations for the given series '''
# Update the site session data so that registration processes know to send return links to
# the view class registrations page. set_return_page() is in SiteHistoryMixin.
self.set_return_page('viewregistrations',_('View Registrations'),event_id=self.object.id)
context = {
'event': self.object,
'registrations': EventRegistration.objects.filter(
event=self.object,
cancelled=False
).order_by('registration__customer__user__first_name', 'registration__customer__user__last_name'),
}
context.update(kwargs)
return super(EventRegistrationSummaryView, self).get_context_data(**context) | [
"def",
"get_context_data",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"# Update the site session data so that registration processes know to send return links to",
"# the view class registrations page. set_return_page() is in SiteHistoryMixin.",
"self",
".",
"set_return_page",
"(",
"'viewregistrations'",
",",
"_",
"(",
"'View Registrations'",
")",
",",
"event_id",
"=",
"self",
".",
"object",
".",
"id",
")",
"context",
"=",
"{",
"'event'",
":",
"self",
".",
"object",
",",
"'registrations'",
":",
"EventRegistration",
".",
"objects",
".",
"filter",
"(",
"event",
"=",
"self",
".",
"object",
",",
"cancelled",
"=",
"False",
")",
".",
"order_by",
"(",
"'registration__customer__user__first_name'",
",",
"'registration__customer__user__last_name'",
")",
",",
"}",
"context",
".",
"update",
"(",
"kwargs",
")",
"return",
"super",
"(",
"EventRegistrationSummaryView",
",",
"self",
")",
".",
"get_context_data",
"(",
"*",
"*",
"context",
")"
] | Add the list of registrations for the given series | [
"Add",
"the",
"list",
"of",
"registrations",
"for",
"the",
"given",
"series"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L90-L105 |
3,525 | django-danceschool/django-danceschool | danceschool/core/views.py | SubmissionRedirectView.get_context_data | def get_context_data(self, **kwargs):
'''
The URL to redirect to can be explicitly specified, or it can come
from the site session history, or it can be the default admin success page
as specified in the site settings.
'''
context = super(SubmissionRedirectView, self).get_context_data(**kwargs)
redirect_url = unquote(self.request.GET.get('redirect_url', ''))
if not redirect_url:
redirect_url = self.get_return_page().get('url','')
if not redirect_url:
try:
redirect_url = Page.objects.get(
pk=getConstant('general__defaultAdminSuccessPage')
).get_absolute_url(settings.LANGUAGE_CODE)
except ObjectDoesNotExist:
redirect_url = '/'
context.update({
'redirect_url': redirect_url,
'seconds': self.request.GET.get('seconds', 5),
})
return context | python | def get_context_data(self, **kwargs):
'''
The URL to redirect to can be explicitly specified, or it can come
from the site session history, or it can be the default admin success page
as specified in the site settings.
'''
context = super(SubmissionRedirectView, self).get_context_data(**kwargs)
redirect_url = unquote(self.request.GET.get('redirect_url', ''))
if not redirect_url:
redirect_url = self.get_return_page().get('url','')
if not redirect_url:
try:
redirect_url = Page.objects.get(
pk=getConstant('general__defaultAdminSuccessPage')
).get_absolute_url(settings.LANGUAGE_CODE)
except ObjectDoesNotExist:
redirect_url = '/'
context.update({
'redirect_url': redirect_url,
'seconds': self.request.GET.get('seconds', 5),
})
return context | [
"def",
"get_context_data",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"context",
"=",
"super",
"(",
"SubmissionRedirectView",
",",
"self",
")",
".",
"get_context_data",
"(",
"*",
"*",
"kwargs",
")",
"redirect_url",
"=",
"unquote",
"(",
"self",
".",
"request",
".",
"GET",
".",
"get",
"(",
"'redirect_url'",
",",
"''",
")",
")",
"if",
"not",
"redirect_url",
":",
"redirect_url",
"=",
"self",
".",
"get_return_page",
"(",
")",
".",
"get",
"(",
"'url'",
",",
"''",
")",
"if",
"not",
"redirect_url",
":",
"try",
":",
"redirect_url",
"=",
"Page",
".",
"objects",
".",
"get",
"(",
"pk",
"=",
"getConstant",
"(",
"'general__defaultAdminSuccessPage'",
")",
")",
".",
"get_absolute_url",
"(",
"settings",
".",
"LANGUAGE_CODE",
")",
"except",
"ObjectDoesNotExist",
":",
"redirect_url",
"=",
"'/'",
"context",
".",
"update",
"(",
"{",
"'redirect_url'",
":",
"redirect_url",
",",
"'seconds'",
":",
"self",
".",
"request",
".",
"GET",
".",
"get",
"(",
"'seconds'",
",",
"5",
")",
",",
"}",
")",
"return",
"context"
] | The URL to redirect to can be explicitly specified, or it can come
from the site session history, or it can be the default admin success page
as specified in the site settings. | [
"The",
"URL",
"to",
"redirect",
"to",
"can",
"be",
"explicitly",
"specified",
"or",
"it",
"can",
"come",
"from",
"the",
"site",
"session",
"history",
"or",
"it",
"can",
"be",
"the",
"default",
"admin",
"success",
"page",
"as",
"specified",
"in",
"the",
"site",
"settings",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L115-L140 |
3,526 | django-danceschool/django-danceschool | danceschool/core/views.py | ViewInvoiceView.get | def get(self, request, *args, **kwargs):
'''
Invoices can be viewed only if the validation string is provided, unless
the user is logged in and has view_all_invoice permissions
'''
user_has_validation_string = self.get_object().validationString
user_has_permissions = request.user.has_perm('core.view_all_invoices')
if request.GET.get('v', None) == user_has_validation_string or user_has_permissions:
return super(ViewInvoiceView, self).get(request, *args, **kwargs)
return self.handle_no_permission() | python | def get(self, request, *args, **kwargs):
'''
Invoices can be viewed only if the validation string is provided, unless
the user is logged in and has view_all_invoice permissions
'''
user_has_validation_string = self.get_object().validationString
user_has_permissions = request.user.has_perm('core.view_all_invoices')
if request.GET.get('v', None) == user_has_validation_string or user_has_permissions:
return super(ViewInvoiceView, self).get(request, *args, **kwargs)
return self.handle_no_permission() | [
"def",
"get",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"user_has_validation_string",
"=",
"self",
".",
"get_object",
"(",
")",
".",
"validationString",
"user_has_permissions",
"=",
"request",
".",
"user",
".",
"has_perm",
"(",
"'core.view_all_invoices'",
")",
"if",
"request",
".",
"GET",
".",
"get",
"(",
"'v'",
",",
"None",
")",
"==",
"user_has_validation_string",
"or",
"user_has_permissions",
":",
"return",
"super",
"(",
"ViewInvoiceView",
",",
"self",
")",
".",
"get",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"return",
"self",
".",
"handle_no_permission",
"(",
")"
] | Invoices can be viewed only if the validation string is provided, unless
the user is logged in and has view_all_invoice permissions | [
"Invoices",
"can",
"be",
"viewed",
"only",
"if",
"the",
"validation",
"string",
"is",
"provided",
"unless",
"the",
"user",
"is",
"logged",
"in",
"and",
"has",
"view_all_invoice",
"permissions"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L150-L159 |
3,527 | django-danceschool/django-danceschool | danceschool/core/views.py | InvoiceNotificationView.dispatch | def dispatch(self, request, *args, **kwargs):
''' Get the set of invoices for which to permit notifications '''
if 'pk' in self.kwargs:
try:
self.invoices = Invoice.objects.filter(pk=self.kwargs.get('pk'))[:]
except ValueError:
raise Http404()
if not self.invoices:
raise Http404()
else:
ids = request.GET.get('invoices', '')
try:
self.invoices = Invoice.objects.filter(id__in=[x for x in ids.split(',')])[:]
except ValueError:
return HttpResponseBadRequest(_('Invalid invoice identifiers specified.'))
if not self.invoices:
return HttpResponseBadRequest(_('No invoice identifiers specified.'))
toNotify = []
cannotNotify = []
for invoice in self.invoices:
if invoice.get_default_recipients():
toNotify.append(invoice)
else:
cannotNotify.append(invoice)
self.toNotify = toNotify
self.cannotNotify = cannotNotify
return super(InvoiceNotificationView, self).dispatch(request, *args, **kwargs) | python | def dispatch(self, request, *args, **kwargs):
''' Get the set of invoices for which to permit notifications '''
if 'pk' in self.kwargs:
try:
self.invoices = Invoice.objects.filter(pk=self.kwargs.get('pk'))[:]
except ValueError:
raise Http404()
if not self.invoices:
raise Http404()
else:
ids = request.GET.get('invoices', '')
try:
self.invoices = Invoice.objects.filter(id__in=[x for x in ids.split(',')])[:]
except ValueError:
return HttpResponseBadRequest(_('Invalid invoice identifiers specified.'))
if not self.invoices:
return HttpResponseBadRequest(_('No invoice identifiers specified.'))
toNotify = []
cannotNotify = []
for invoice in self.invoices:
if invoice.get_default_recipients():
toNotify.append(invoice)
else:
cannotNotify.append(invoice)
self.toNotify = toNotify
self.cannotNotify = cannotNotify
return super(InvoiceNotificationView, self).dispatch(request, *args, **kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'pk'",
"in",
"self",
".",
"kwargs",
":",
"try",
":",
"self",
".",
"invoices",
"=",
"Invoice",
".",
"objects",
".",
"filter",
"(",
"pk",
"=",
"self",
".",
"kwargs",
".",
"get",
"(",
"'pk'",
")",
")",
"[",
":",
"]",
"except",
"ValueError",
":",
"raise",
"Http404",
"(",
")",
"if",
"not",
"self",
".",
"invoices",
":",
"raise",
"Http404",
"(",
")",
"else",
":",
"ids",
"=",
"request",
".",
"GET",
".",
"get",
"(",
"'invoices'",
",",
"''",
")",
"try",
":",
"self",
".",
"invoices",
"=",
"Invoice",
".",
"objects",
".",
"filter",
"(",
"id__in",
"=",
"[",
"x",
"for",
"x",
"in",
"ids",
".",
"split",
"(",
"','",
")",
"]",
")",
"[",
":",
"]",
"except",
"ValueError",
":",
"return",
"HttpResponseBadRequest",
"(",
"_",
"(",
"'Invalid invoice identifiers specified.'",
")",
")",
"if",
"not",
"self",
".",
"invoices",
":",
"return",
"HttpResponseBadRequest",
"(",
"_",
"(",
"'No invoice identifiers specified.'",
")",
")",
"toNotify",
"=",
"[",
"]",
"cannotNotify",
"=",
"[",
"]",
"for",
"invoice",
"in",
"self",
".",
"invoices",
":",
"if",
"invoice",
".",
"get_default_recipients",
"(",
")",
":",
"toNotify",
".",
"append",
"(",
"invoice",
")",
"else",
":",
"cannotNotify",
".",
"append",
"(",
"invoice",
")",
"self",
".",
"toNotify",
"=",
"toNotify",
"self",
".",
"cannotNotify",
"=",
"cannotNotify",
"return",
"super",
"(",
"InvoiceNotificationView",
",",
"self",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Get the set of invoices for which to permit notifications | [
"Get",
"the",
"set",
"of",
"invoices",
"for",
"which",
"to",
"permit",
"notifications"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L199-L230 |
3,528 | django-danceschool/django-danceschool | danceschool/core/views.py | InvoiceNotificationView.get_form_kwargs | def get_form_kwargs(self):
''' Pass the set of invoices to the form for creation '''
kwargs = super(InvoiceNotificationView, self).get_form_kwargs()
kwargs['invoices'] = self.toNotify
return kwargs | python | def get_form_kwargs(self):
''' Pass the set of invoices to the form for creation '''
kwargs = super(InvoiceNotificationView, self).get_form_kwargs()
kwargs['invoices'] = self.toNotify
return kwargs | [
"def",
"get_form_kwargs",
"(",
"self",
")",
":",
"kwargs",
"=",
"super",
"(",
"InvoiceNotificationView",
",",
"self",
")",
".",
"get_form_kwargs",
"(",
")",
"kwargs",
"[",
"'invoices'",
"]",
"=",
"self",
".",
"toNotify",
"return",
"kwargs"
] | Pass the set of invoices to the form for creation | [
"Pass",
"the",
"set",
"of",
"invoices",
"to",
"the",
"form",
"for",
"creation"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L232-L236 |
3,529 | django-danceschool/django-danceschool | danceschool/core/views.py | SendEmailView.dispatch | def dispatch(self, request, *args, **kwargs):
''' If a list of customers or groups was passed, then parse it '''
ids = request.GET.get('customers')
groups = request.GET.get('customergroup')
self.customers = None
if ids or groups:
# Initial filter applies to no one but allows appending by logical or
filters = Q(id__isnull=True)
if ids:
filters = filters | Q(id__in=[int(x) for x in ids.split(',')])
if groups:
filters = filters | Q(groups__id__in=[int(x) for x in groups.split(',')])
try:
self.customers = Customer.objects.filter(filters)
except ValueError:
return HttpResponseBadRequest(_('Invalid customer ids passed'))
return super(SendEmailView, self).dispatch(request, *args, **kwargs) | python | def dispatch(self, request, *args, **kwargs):
''' If a list of customers or groups was passed, then parse it '''
ids = request.GET.get('customers')
groups = request.GET.get('customergroup')
self.customers = None
if ids or groups:
# Initial filter applies to no one but allows appending by logical or
filters = Q(id__isnull=True)
if ids:
filters = filters | Q(id__in=[int(x) for x in ids.split(',')])
if groups:
filters = filters | Q(groups__id__in=[int(x) for x in groups.split(',')])
try:
self.customers = Customer.objects.filter(filters)
except ValueError:
return HttpResponseBadRequest(_('Invalid customer ids passed'))
return super(SendEmailView, self).dispatch(request, *args, **kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"ids",
"=",
"request",
".",
"GET",
".",
"get",
"(",
"'customers'",
")",
"groups",
"=",
"request",
".",
"GET",
".",
"get",
"(",
"'customergroup'",
")",
"self",
".",
"customers",
"=",
"None",
"if",
"ids",
"or",
"groups",
":",
"# Initial filter applies to no one but allows appending by logical or",
"filters",
"=",
"Q",
"(",
"id__isnull",
"=",
"True",
")",
"if",
"ids",
":",
"filters",
"=",
"filters",
"|",
"Q",
"(",
"id__in",
"=",
"[",
"int",
"(",
"x",
")",
"for",
"x",
"in",
"ids",
".",
"split",
"(",
"','",
")",
"]",
")",
"if",
"groups",
":",
"filters",
"=",
"filters",
"|",
"Q",
"(",
"groups__id__in",
"=",
"[",
"int",
"(",
"x",
")",
"for",
"x",
"in",
"groups",
".",
"split",
"(",
"','",
")",
"]",
")",
"try",
":",
"self",
".",
"customers",
"=",
"Customer",
".",
"objects",
".",
"filter",
"(",
"filters",
")",
"except",
"ValueError",
":",
"return",
"HttpResponseBadRequest",
"(",
"_",
"(",
"'Invalid customer ids passed'",
")",
")",
"return",
"super",
"(",
"SendEmailView",
",",
"self",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | If a list of customers or groups was passed, then parse it | [
"If",
"a",
"list",
"of",
"customers",
"or",
"groups",
"was",
"passed",
"then",
"parse",
"it"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L589-L609 |
3,530 | django-danceschool/django-danceschool | danceschool/core/views.py | SendEmailView.get_form_kwargs | def get_form_kwargs(self, **kwargs):
'''
Get the list of recent months and recent series to pass to the form
'''
numMonths = 12
lastStart = (
Event.objects.annotate(Min('eventoccurrence__startTime'))
.order_by('-eventoccurrence__startTime__min')
.values_list('eventoccurrence__startTime__min', flat=True)
.first()
)
if lastStart:
month = lastStart.month
year = lastStart.year
else:
month = timezone.now().month
year = timezone.now().year
months = [('', _('None'))]
for i in range(0, numMonths):
newmonth = (month - i - 1) % 12 + 1
newyear = year
if month - i - 1 < 0:
newyear = year - 1
newdate = datetime(year=newyear, month=newmonth, day=1)
newdateStr = newdate.strftime("%m-%Y")
monthStr = newdate.strftime("%B, %Y")
months.append((newdateStr, monthStr))
cutoff = timezone.now() - timedelta(days=120)
allEvents = Event.objects.filter(startTime__gte=cutoff).order_by('-startTime')
recentSeries = [('', 'None')] + [(x.id, '%s %s: %s' % (month_name[x.month], x.year, x.name)) for x in allEvents]
kwargs = super(SendEmailView, self).get_form_kwargs(**kwargs)
kwargs.update({
"months": months,
"recentseries": recentSeries,
"customers": self.customers,
})
return kwargs | python | def get_form_kwargs(self, **kwargs):
'''
Get the list of recent months and recent series to pass to the form
'''
numMonths = 12
lastStart = (
Event.objects.annotate(Min('eventoccurrence__startTime'))
.order_by('-eventoccurrence__startTime__min')
.values_list('eventoccurrence__startTime__min', flat=True)
.first()
)
if lastStart:
month = lastStart.month
year = lastStart.year
else:
month = timezone.now().month
year = timezone.now().year
months = [('', _('None'))]
for i in range(0, numMonths):
newmonth = (month - i - 1) % 12 + 1
newyear = year
if month - i - 1 < 0:
newyear = year - 1
newdate = datetime(year=newyear, month=newmonth, day=1)
newdateStr = newdate.strftime("%m-%Y")
monthStr = newdate.strftime("%B, %Y")
months.append((newdateStr, monthStr))
cutoff = timezone.now() - timedelta(days=120)
allEvents = Event.objects.filter(startTime__gte=cutoff).order_by('-startTime')
recentSeries = [('', 'None')] + [(x.id, '%s %s: %s' % (month_name[x.month], x.year, x.name)) for x in allEvents]
kwargs = super(SendEmailView, self).get_form_kwargs(**kwargs)
kwargs.update({
"months": months,
"recentseries": recentSeries,
"customers": self.customers,
})
return kwargs | [
"def",
"get_form_kwargs",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"numMonths",
"=",
"12",
"lastStart",
"=",
"(",
"Event",
".",
"objects",
".",
"annotate",
"(",
"Min",
"(",
"'eventoccurrence__startTime'",
")",
")",
".",
"order_by",
"(",
"'-eventoccurrence__startTime__min'",
")",
".",
"values_list",
"(",
"'eventoccurrence__startTime__min'",
",",
"flat",
"=",
"True",
")",
".",
"first",
"(",
")",
")",
"if",
"lastStart",
":",
"month",
"=",
"lastStart",
".",
"month",
"year",
"=",
"lastStart",
".",
"year",
"else",
":",
"month",
"=",
"timezone",
".",
"now",
"(",
")",
".",
"month",
"year",
"=",
"timezone",
".",
"now",
"(",
")",
".",
"year",
"months",
"=",
"[",
"(",
"''",
",",
"_",
"(",
"'None'",
")",
")",
"]",
"for",
"i",
"in",
"range",
"(",
"0",
",",
"numMonths",
")",
":",
"newmonth",
"=",
"(",
"month",
"-",
"i",
"-",
"1",
")",
"%",
"12",
"+",
"1",
"newyear",
"=",
"year",
"if",
"month",
"-",
"i",
"-",
"1",
"<",
"0",
":",
"newyear",
"=",
"year",
"-",
"1",
"newdate",
"=",
"datetime",
"(",
"year",
"=",
"newyear",
",",
"month",
"=",
"newmonth",
",",
"day",
"=",
"1",
")",
"newdateStr",
"=",
"newdate",
".",
"strftime",
"(",
"\"%m-%Y\"",
")",
"monthStr",
"=",
"newdate",
".",
"strftime",
"(",
"\"%B, %Y\"",
")",
"months",
".",
"append",
"(",
"(",
"newdateStr",
",",
"monthStr",
")",
")",
"cutoff",
"=",
"timezone",
".",
"now",
"(",
")",
"-",
"timedelta",
"(",
"days",
"=",
"120",
")",
"allEvents",
"=",
"Event",
".",
"objects",
".",
"filter",
"(",
"startTime__gte",
"=",
"cutoff",
")",
".",
"order_by",
"(",
"'-startTime'",
")",
"recentSeries",
"=",
"[",
"(",
"''",
",",
"'None'",
")",
"]",
"+",
"[",
"(",
"x",
".",
"id",
",",
"'%s %s: %s'",
"%",
"(",
"month_name",
"[",
"x",
".",
"month",
"]",
",",
"x",
".",
"year",
",",
"x",
".",
"name",
")",
")",
"for",
"x",
"in",
"allEvents",
"]",
"kwargs",
"=",
"super",
"(",
"SendEmailView",
",",
"self",
")",
".",
"get_form_kwargs",
"(",
"*",
"*",
"kwargs",
")",
"kwargs",
".",
"update",
"(",
"{",
"\"months\"",
":",
"months",
",",
"\"recentseries\"",
":",
"recentSeries",
",",
"\"customers\"",
":",
"self",
".",
"customers",
",",
"}",
")",
"return",
"kwargs"
] | Get the list of recent months and recent series to pass to the form | [
"Get",
"the",
"list",
"of",
"recent",
"months",
"and",
"recent",
"series",
"to",
"pass",
"to",
"the",
"form"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L611-L652 |
3,531 | django-danceschool/django-danceschool | danceschool/core/views.py | SendEmailView.get_initial | def get_initial(self):
'''
If the user already submitted the form and decided to return from the
confirmation page, then re-populate the form
'''
initial = super(SendEmailView, self).get_initial()
form_data = self.request.session.get(EMAIL_VALIDATION_STR, {}).get('form_data', {})
if form_data:
initial.update(form_data)
return initial | python | def get_initial(self):
'''
If the user already submitted the form and decided to return from the
confirmation page, then re-populate the form
'''
initial = super(SendEmailView, self).get_initial()
form_data = self.request.session.get(EMAIL_VALIDATION_STR, {}).get('form_data', {})
if form_data:
initial.update(form_data)
return initial | [
"def",
"get_initial",
"(",
"self",
")",
":",
"initial",
"=",
"super",
"(",
"SendEmailView",
",",
"self",
")",
".",
"get_initial",
"(",
")",
"form_data",
"=",
"self",
".",
"request",
".",
"session",
".",
"get",
"(",
"EMAIL_VALIDATION_STR",
",",
"{",
"}",
")",
".",
"get",
"(",
"'form_data'",
",",
"{",
"}",
")",
"if",
"form_data",
":",
"initial",
".",
"update",
"(",
"form_data",
")",
"return",
"initial"
] | If the user already submitted the form and decided to return from the
confirmation page, then re-populate the form | [
"If",
"the",
"user",
"already",
"submitted",
"the",
"form",
"and",
"decided",
"to",
"return",
"from",
"the",
"confirmation",
"page",
"then",
"re",
"-",
"populate",
"the",
"form"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L654-L664 |
3,532 | django-danceschool/django-danceschool | danceschool/core/views.py | SendEmailView.form_valid | def form_valid(self, form):
''' Pass form data to the confirmation view '''
form.cleaned_data.pop('template', None)
self.request.session[EMAIL_VALIDATION_STR] = {'form_data': form.cleaned_data}
return HttpResponseRedirect(reverse('emailConfirmation')) | python | def form_valid(self, form):
''' Pass form data to the confirmation view '''
form.cleaned_data.pop('template', None)
self.request.session[EMAIL_VALIDATION_STR] = {'form_data': form.cleaned_data}
return HttpResponseRedirect(reverse('emailConfirmation')) | [
"def",
"form_valid",
"(",
"self",
",",
"form",
")",
":",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'template'",
",",
"None",
")",
"self",
".",
"request",
".",
"session",
"[",
"EMAIL_VALIDATION_STR",
"]",
"=",
"{",
"'form_data'",
":",
"form",
".",
"cleaned_data",
"}",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'emailConfirmation'",
")",
")"
] | Pass form data to the confirmation view | [
"Pass",
"form",
"data",
"to",
"the",
"confirmation",
"view"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L675-L679 |
3,533 | django-danceschool/django-danceschool | danceschool/core/views.py | RepeatEventsView.form_valid | def form_valid(self, form):
''' For each object in the queryset, create the duplicated objects '''
startDate = form.cleaned_data.get('startDate')
repeatEvery = form.cleaned_data.get('repeatEvery')
periodicity = form.cleaned_data.get('periodicity')
quantity = form.cleaned_data.get('quantity')
endDate = form.cleaned_data.get('endDate')
# Create a list of start dates, based on the passed values of repeatEvery,
# periodicity, quantity and endDate. This list will be iterated through to
# create the new instances for each event.
if periodicity == 'D':
delta = {'days': repeatEvery}
elif periodicity == 'W':
delta = {'weeks': repeatEvery}
elif periodicity == 'M':
delta = {'months': repeatEvery}
repeat_list = []
this_date = startDate
if quantity:
for k in range(0, quantity):
repeat_list.append(this_date)
this_date = this_date + relativedelta(**delta)
elif endDate:
while (this_date <= endDate):
repeat_list.append(this_date)
this_date = this_date + relativedelta(**delta)
# Now, loop through the events in the queryset to create duplicates of them
for event in self.queryset:
# For each new occurrence, we determine the new startime by the distance from
# midnight of the first occurrence date, where the first occurrence date is
# replaced by the date given in repeat list
old_min_time = event.localStartTime.replace(hour=0, minute=0, second=0, microsecond=0)
old_occurrence_data = [
(x.startTime - old_min_time, x.endTime - old_min_time, x.cancelled)
for x in event.eventoccurrence_set.all()
]
old_role_data = [(x.role, x.capacity) for x in event.eventrole_set.all()]
for instance_date in repeat_list:
# Ensure that time zones are treated properly
combined_datetime = datetime.combine(instance_date, datetime.min.time())
new_datetime = ensure_timezone(combined_datetime, old_min_time.tzinfo)
# Removing the pk and ID allow new instances of the event to
# be created upon saving with automatically generated ids.
event.id = None
event.pk = None
event.save()
# Create new occurrences
for occurrence in old_occurrence_data:
EventOccurrence.objects.create(
event=event,
startTime=new_datetime + occurrence[0],
endTime=new_datetime + occurrence[1],
cancelled=occurrence[2],
)
# Create new event-specific role data
for role in old_role_data:
EventRole.objects.create(
event=event,
role=role[0],
capacity=role[1],
)
# Need to save twice to ensure that startTime etc. get
# updated properly.
event.save()
return super(RepeatEventsView, self).form_valid(form) | python | def form_valid(self, form):
''' For each object in the queryset, create the duplicated objects '''
startDate = form.cleaned_data.get('startDate')
repeatEvery = form.cleaned_data.get('repeatEvery')
periodicity = form.cleaned_data.get('periodicity')
quantity = form.cleaned_data.get('quantity')
endDate = form.cleaned_data.get('endDate')
# Create a list of start dates, based on the passed values of repeatEvery,
# periodicity, quantity and endDate. This list will be iterated through to
# create the new instances for each event.
if periodicity == 'D':
delta = {'days': repeatEvery}
elif periodicity == 'W':
delta = {'weeks': repeatEvery}
elif periodicity == 'M':
delta = {'months': repeatEvery}
repeat_list = []
this_date = startDate
if quantity:
for k in range(0, quantity):
repeat_list.append(this_date)
this_date = this_date + relativedelta(**delta)
elif endDate:
while (this_date <= endDate):
repeat_list.append(this_date)
this_date = this_date + relativedelta(**delta)
# Now, loop through the events in the queryset to create duplicates of them
for event in self.queryset:
# For each new occurrence, we determine the new startime by the distance from
# midnight of the first occurrence date, where the first occurrence date is
# replaced by the date given in repeat list
old_min_time = event.localStartTime.replace(hour=0, minute=0, second=0, microsecond=0)
old_occurrence_data = [
(x.startTime - old_min_time, x.endTime - old_min_time, x.cancelled)
for x in event.eventoccurrence_set.all()
]
old_role_data = [(x.role, x.capacity) for x in event.eventrole_set.all()]
for instance_date in repeat_list:
# Ensure that time zones are treated properly
combined_datetime = datetime.combine(instance_date, datetime.min.time())
new_datetime = ensure_timezone(combined_datetime, old_min_time.tzinfo)
# Removing the pk and ID allow new instances of the event to
# be created upon saving with automatically generated ids.
event.id = None
event.pk = None
event.save()
# Create new occurrences
for occurrence in old_occurrence_data:
EventOccurrence.objects.create(
event=event,
startTime=new_datetime + occurrence[0],
endTime=new_datetime + occurrence[1],
cancelled=occurrence[2],
)
# Create new event-specific role data
for role in old_role_data:
EventRole.objects.create(
event=event,
role=role[0],
capacity=role[1],
)
# Need to save twice to ensure that startTime etc. get
# updated properly.
event.save()
return super(RepeatEventsView, self).form_valid(form) | [
"def",
"form_valid",
"(",
"self",
",",
"form",
")",
":",
"startDate",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'startDate'",
")",
"repeatEvery",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'repeatEvery'",
")",
"periodicity",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'periodicity'",
")",
"quantity",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'quantity'",
")",
"endDate",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'endDate'",
")",
"# Create a list of start dates, based on the passed values of repeatEvery,",
"# periodicity, quantity and endDate. This list will be iterated through to",
"# create the new instances for each event.",
"if",
"periodicity",
"==",
"'D'",
":",
"delta",
"=",
"{",
"'days'",
":",
"repeatEvery",
"}",
"elif",
"periodicity",
"==",
"'W'",
":",
"delta",
"=",
"{",
"'weeks'",
":",
"repeatEvery",
"}",
"elif",
"periodicity",
"==",
"'M'",
":",
"delta",
"=",
"{",
"'months'",
":",
"repeatEvery",
"}",
"repeat_list",
"=",
"[",
"]",
"this_date",
"=",
"startDate",
"if",
"quantity",
":",
"for",
"k",
"in",
"range",
"(",
"0",
",",
"quantity",
")",
":",
"repeat_list",
".",
"append",
"(",
"this_date",
")",
"this_date",
"=",
"this_date",
"+",
"relativedelta",
"(",
"*",
"*",
"delta",
")",
"elif",
"endDate",
":",
"while",
"(",
"this_date",
"<=",
"endDate",
")",
":",
"repeat_list",
".",
"append",
"(",
"this_date",
")",
"this_date",
"=",
"this_date",
"+",
"relativedelta",
"(",
"*",
"*",
"delta",
")",
"# Now, loop through the events in the queryset to create duplicates of them",
"for",
"event",
"in",
"self",
".",
"queryset",
":",
"# For each new occurrence, we determine the new startime by the distance from",
"# midnight of the first occurrence date, where the first occurrence date is",
"# replaced by the date given in repeat list",
"old_min_time",
"=",
"event",
".",
"localStartTime",
".",
"replace",
"(",
"hour",
"=",
"0",
",",
"minute",
"=",
"0",
",",
"second",
"=",
"0",
",",
"microsecond",
"=",
"0",
")",
"old_occurrence_data",
"=",
"[",
"(",
"x",
".",
"startTime",
"-",
"old_min_time",
",",
"x",
".",
"endTime",
"-",
"old_min_time",
",",
"x",
".",
"cancelled",
")",
"for",
"x",
"in",
"event",
".",
"eventoccurrence_set",
".",
"all",
"(",
")",
"]",
"old_role_data",
"=",
"[",
"(",
"x",
".",
"role",
",",
"x",
".",
"capacity",
")",
"for",
"x",
"in",
"event",
".",
"eventrole_set",
".",
"all",
"(",
")",
"]",
"for",
"instance_date",
"in",
"repeat_list",
":",
"# Ensure that time zones are treated properly",
"combined_datetime",
"=",
"datetime",
".",
"combine",
"(",
"instance_date",
",",
"datetime",
".",
"min",
".",
"time",
"(",
")",
")",
"new_datetime",
"=",
"ensure_timezone",
"(",
"combined_datetime",
",",
"old_min_time",
".",
"tzinfo",
")",
"# Removing the pk and ID allow new instances of the event to",
"# be created upon saving with automatically generated ids.",
"event",
".",
"id",
"=",
"None",
"event",
".",
"pk",
"=",
"None",
"event",
".",
"save",
"(",
")",
"# Create new occurrences",
"for",
"occurrence",
"in",
"old_occurrence_data",
":",
"EventOccurrence",
".",
"objects",
".",
"create",
"(",
"event",
"=",
"event",
",",
"startTime",
"=",
"new_datetime",
"+",
"occurrence",
"[",
"0",
"]",
",",
"endTime",
"=",
"new_datetime",
"+",
"occurrence",
"[",
"1",
"]",
",",
"cancelled",
"=",
"occurrence",
"[",
"2",
"]",
",",
")",
"# Create new event-specific role data",
"for",
"role",
"in",
"old_role_data",
":",
"EventRole",
".",
"objects",
".",
"create",
"(",
"event",
"=",
"event",
",",
"role",
"=",
"role",
"[",
"0",
"]",
",",
"capacity",
"=",
"role",
"[",
"1",
"]",
",",
")",
"# Need to save twice to ensure that startTime etc. get",
"# updated properly.",
"event",
".",
"save",
"(",
")",
"return",
"super",
"(",
"RepeatEventsView",
",",
"self",
")",
".",
"form_valid",
"(",
"form",
")"
] | For each object in the queryset, create the duplicated objects | [
"For",
"each",
"object",
"in",
"the",
"queryset",
"create",
"the",
"duplicated",
"objects"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/views.py#L934-L1013 |
3,534 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestList.recentEvents | def recentEvents(self):
'''
Get the set of recent and upcoming events to which this list applies.
'''
return Event.objects.filter(
Q(pk__in=self.individualEvents.values_list('pk',flat=True)) |
Q(session__in=self.eventSessions.all()) |
Q(publicevent__category__in=self.eventCategories.all()) |
Q(series__category__in=self.seriesCategories.all())
).filter(
Q(startTime__lte=timezone.now() + timedelta(days=60)) &
Q(endTime__gte=timezone.now() - timedelta(days=60))
) | python | def recentEvents(self):
'''
Get the set of recent and upcoming events to which this list applies.
'''
return Event.objects.filter(
Q(pk__in=self.individualEvents.values_list('pk',flat=True)) |
Q(session__in=self.eventSessions.all()) |
Q(publicevent__category__in=self.eventCategories.all()) |
Q(series__category__in=self.seriesCategories.all())
).filter(
Q(startTime__lte=timezone.now() + timedelta(days=60)) &
Q(endTime__gte=timezone.now() - timedelta(days=60))
) | [
"def",
"recentEvents",
"(",
"self",
")",
":",
"return",
"Event",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"pk__in",
"=",
"self",
".",
"individualEvents",
".",
"values_list",
"(",
"'pk'",
",",
"flat",
"=",
"True",
")",
")",
"|",
"Q",
"(",
"session__in",
"=",
"self",
".",
"eventSessions",
".",
"all",
"(",
")",
")",
"|",
"Q",
"(",
"publicevent__category__in",
"=",
"self",
".",
"eventCategories",
".",
"all",
"(",
")",
")",
"|",
"Q",
"(",
"series__category__in",
"=",
"self",
".",
"seriesCategories",
".",
"all",
"(",
")",
")",
")",
".",
"filter",
"(",
"Q",
"(",
"startTime__lte",
"=",
"timezone",
".",
"now",
"(",
")",
"+",
"timedelta",
"(",
"days",
"=",
"60",
")",
")",
"&",
"Q",
"(",
"endTime__gte",
"=",
"timezone",
".",
"now",
"(",
")",
"-",
"timedelta",
"(",
"days",
"=",
"60",
")",
")",
")"
] | Get the set of recent and upcoming events to which this list applies. | [
"Get",
"the",
"set",
"of",
"recent",
"and",
"upcoming",
"events",
"to",
"which",
"this",
"list",
"applies",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L33-L45 |
3,535 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestList.currentEvent | def currentEvent(self):
'''
Return the first event that hasn't ended yet, or if there are no
future events, the last one to end.
'''
currentEvent = self.recentEvents.filter(endTime__gte=timezone.now()).order_by('startTime').first()
if not currentEvent:
currentEvent = self.recentEvents.filter(
endTime__lte=timezone.now()
).order_by('-endTime').first()
return currentEvent | python | def currentEvent(self):
'''
Return the first event that hasn't ended yet, or if there are no
future events, the last one to end.
'''
currentEvent = self.recentEvents.filter(endTime__gte=timezone.now()).order_by('startTime').first()
if not currentEvent:
currentEvent = self.recentEvents.filter(
endTime__lte=timezone.now()
).order_by('-endTime').first()
return currentEvent | [
"def",
"currentEvent",
"(",
"self",
")",
":",
"currentEvent",
"=",
"self",
".",
"recentEvents",
".",
"filter",
"(",
"endTime__gte",
"=",
"timezone",
".",
"now",
"(",
")",
")",
".",
"order_by",
"(",
"'startTime'",
")",
".",
"first",
"(",
")",
"if",
"not",
"currentEvent",
":",
"currentEvent",
"=",
"self",
".",
"recentEvents",
".",
"filter",
"(",
"endTime__lte",
"=",
"timezone",
".",
"now",
"(",
")",
")",
".",
"order_by",
"(",
"'-endTime'",
")",
".",
"first",
"(",
")",
"return",
"currentEvent"
] | Return the first event that hasn't ended yet, or if there are no
future events, the last one to end. | [
"Return",
"the",
"first",
"event",
"that",
"hasn",
"t",
"ended",
"yet",
"or",
"if",
"there",
"are",
"no",
"future",
"events",
"the",
"last",
"one",
"to",
"end",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L48-L58 |
3,536 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestList.appliesToEvent | def appliesToEvent(self, event):
''' Check whether this guest list is applicable to an event. '''
return (
event in self.individualEvents.all() or
event.session in self.eventSessions.all() or
event.category in self.seriesCategories.all() or
event.category in self.eventCategories.all()
) | python | def appliesToEvent(self, event):
''' Check whether this guest list is applicable to an event. '''
return (
event in self.individualEvents.all() or
event.session in self.eventSessions.all() or
event.category in self.seriesCategories.all() or
event.category in self.eventCategories.all()
) | [
"def",
"appliesToEvent",
"(",
"self",
",",
"event",
")",
":",
"return",
"(",
"event",
"in",
"self",
".",
"individualEvents",
".",
"all",
"(",
")",
"or",
"event",
".",
"session",
"in",
"self",
".",
"eventSessions",
".",
"all",
"(",
")",
"or",
"event",
".",
"category",
"in",
"self",
".",
"seriesCategories",
".",
"all",
"(",
")",
"or",
"event",
".",
"category",
"in",
"self",
".",
"eventCategories",
".",
"all",
"(",
")",
")"
] | Check whether this guest list is applicable to an event. | [
"Check",
"whether",
"this",
"guest",
"list",
"is",
"applicable",
"to",
"an",
"event",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L60-L67 |
3,537 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestList.getDayStart | def getDayStart(self, dateTime):
''' Ensure local time and get the beginning of the day '''
return ensure_localtime(dateTime).replace(hour=0,minute=0,second=0,microsecond=0) | python | def getDayStart(self, dateTime):
''' Ensure local time and get the beginning of the day '''
return ensure_localtime(dateTime).replace(hour=0,minute=0,second=0,microsecond=0) | [
"def",
"getDayStart",
"(",
"self",
",",
"dateTime",
")",
":",
"return",
"ensure_localtime",
"(",
"dateTime",
")",
".",
"replace",
"(",
"hour",
"=",
"0",
",",
"minute",
"=",
"0",
",",
"second",
"=",
"0",
",",
"microsecond",
"=",
"0",
")"
] | Ensure local time and get the beginning of the day | [
"Ensure",
"local",
"time",
"and",
"get",
"the",
"beginning",
"of",
"the",
"day"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L69-L71 |
3,538 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestList.getListForEvent | def getListForEvent(self, event=None):
''' Get the list of names associated with a particular event. '''
names = list(self.guestlistname_set.annotate(
guestType=Case(
When(notes__isnull=False, then=F('notes')),
default=Value(ugettext('Manually Added')),
output_field=models.CharField()
)
).values('firstName','lastName','guestType'))
# Component-by-component, OR append filters to an initial filter that always
# evaluates to False.
components = self.guestlistcomponent_set.all()
filters = Q(pk__isnull=True)
# Add prior staff based on the component rule.
for component in components:
if event and self.appliesToEvent(event):
filters = filters | self.getComponentFilters(component,event=event)
else:
filters = filters | self.getComponentFilters(component,dateTime=timezone.now())
# Add all event staff if that box is checked (no need for separate components)
if self.includeStaff and event and self.appliesToEvent(event):
filters = filters | Q(eventstaffmember__event=event)
# Execute the constructed query and add the names of staff
names += list(StaffMember.objects.filter(filters).annotate(
guestType=Case(
When(eventstaffmember__event=event, then=Concat(Value('Event Staff: '), 'eventstaffmember__category__name')),
default=Value(ugettext('Other Staff')),
output_field=models.CharField()
)
).distinct().values('firstName','lastName','guestType'))
if self.includeRegistrants and event and self.appliesToEvent(event):
names += list(Registration.objects.filter(eventregistration__event=event).annotate(
guestType=Value(_('Registered'),output_field=models.CharField())
).values('firstName','lastName','guestType'))
return names | python | def getListForEvent(self, event=None):
''' Get the list of names associated with a particular event. '''
names = list(self.guestlistname_set.annotate(
guestType=Case(
When(notes__isnull=False, then=F('notes')),
default=Value(ugettext('Manually Added')),
output_field=models.CharField()
)
).values('firstName','lastName','guestType'))
# Component-by-component, OR append filters to an initial filter that always
# evaluates to False.
components = self.guestlistcomponent_set.all()
filters = Q(pk__isnull=True)
# Add prior staff based on the component rule.
for component in components:
if event and self.appliesToEvent(event):
filters = filters | self.getComponentFilters(component,event=event)
else:
filters = filters | self.getComponentFilters(component,dateTime=timezone.now())
# Add all event staff if that box is checked (no need for separate components)
if self.includeStaff and event and self.appliesToEvent(event):
filters = filters | Q(eventstaffmember__event=event)
# Execute the constructed query and add the names of staff
names += list(StaffMember.objects.filter(filters).annotate(
guestType=Case(
When(eventstaffmember__event=event, then=Concat(Value('Event Staff: '), 'eventstaffmember__category__name')),
default=Value(ugettext('Other Staff')),
output_field=models.CharField()
)
).distinct().values('firstName','lastName','guestType'))
if self.includeRegistrants and event and self.appliesToEvent(event):
names += list(Registration.objects.filter(eventregistration__event=event).annotate(
guestType=Value(_('Registered'),output_field=models.CharField())
).values('firstName','lastName','guestType'))
return names | [
"def",
"getListForEvent",
"(",
"self",
",",
"event",
"=",
"None",
")",
":",
"names",
"=",
"list",
"(",
"self",
".",
"guestlistname_set",
".",
"annotate",
"(",
"guestType",
"=",
"Case",
"(",
"When",
"(",
"notes__isnull",
"=",
"False",
",",
"then",
"=",
"F",
"(",
"'notes'",
")",
")",
",",
"default",
"=",
"Value",
"(",
"ugettext",
"(",
"'Manually Added'",
")",
")",
",",
"output_field",
"=",
"models",
".",
"CharField",
"(",
")",
")",
")",
".",
"values",
"(",
"'firstName'",
",",
"'lastName'",
",",
"'guestType'",
")",
")",
"# Component-by-component, OR append filters to an initial filter that always",
"# evaluates to False.",
"components",
"=",
"self",
".",
"guestlistcomponent_set",
".",
"all",
"(",
")",
"filters",
"=",
"Q",
"(",
"pk__isnull",
"=",
"True",
")",
"# Add prior staff based on the component rule.",
"for",
"component",
"in",
"components",
":",
"if",
"event",
"and",
"self",
".",
"appliesToEvent",
"(",
"event",
")",
":",
"filters",
"=",
"filters",
"|",
"self",
".",
"getComponentFilters",
"(",
"component",
",",
"event",
"=",
"event",
")",
"else",
":",
"filters",
"=",
"filters",
"|",
"self",
".",
"getComponentFilters",
"(",
"component",
",",
"dateTime",
"=",
"timezone",
".",
"now",
"(",
")",
")",
"# Add all event staff if that box is checked (no need for separate components)",
"if",
"self",
".",
"includeStaff",
"and",
"event",
"and",
"self",
".",
"appliesToEvent",
"(",
"event",
")",
":",
"filters",
"=",
"filters",
"|",
"Q",
"(",
"eventstaffmember__event",
"=",
"event",
")",
"# Execute the constructed query and add the names of staff",
"names",
"+=",
"list",
"(",
"StaffMember",
".",
"objects",
".",
"filter",
"(",
"filters",
")",
".",
"annotate",
"(",
"guestType",
"=",
"Case",
"(",
"When",
"(",
"eventstaffmember__event",
"=",
"event",
",",
"then",
"=",
"Concat",
"(",
"Value",
"(",
"'Event Staff: '",
")",
",",
"'eventstaffmember__category__name'",
")",
")",
",",
"default",
"=",
"Value",
"(",
"ugettext",
"(",
"'Other Staff'",
")",
")",
",",
"output_field",
"=",
"models",
".",
"CharField",
"(",
")",
")",
")",
".",
"distinct",
"(",
")",
".",
"values",
"(",
"'firstName'",
",",
"'lastName'",
",",
"'guestType'",
")",
")",
"if",
"self",
".",
"includeRegistrants",
"and",
"event",
"and",
"self",
".",
"appliesToEvent",
"(",
"event",
")",
":",
"names",
"+=",
"list",
"(",
"Registration",
".",
"objects",
".",
"filter",
"(",
"eventregistration__event",
"=",
"event",
")",
".",
"annotate",
"(",
"guestType",
"=",
"Value",
"(",
"_",
"(",
"'Registered'",
")",
",",
"output_field",
"=",
"models",
".",
"CharField",
"(",
")",
")",
")",
".",
"values",
"(",
"'firstName'",
",",
"'lastName'",
",",
"'guestType'",
")",
")",
"return",
"names"
] | Get the list of names associated with a particular event. | [
"Get",
"the",
"list",
"of",
"names",
"associated",
"with",
"a",
"particular",
"event",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L152-L191 |
3,539 | django-danceschool/django-danceschool | danceschool/guestlist/models.py | GuestListComponent.clean | def clean(self):
''' Either staffCategory or staffMember must be filled in, but not both. '''
if not self.staffCategory and not self.staffMember:
raise ValidationError(_('Either staff category or staff member must be specified.'))
if self.staffCategory and self.staffMember:
raise ValidationError(_('Specify either a staff category or a staff member, not both.')) | python | def clean(self):
''' Either staffCategory or staffMember must be filled in, but not both. '''
if not self.staffCategory and not self.staffMember:
raise ValidationError(_('Either staff category or staff member must be specified.'))
if self.staffCategory and self.staffMember:
raise ValidationError(_('Specify either a staff category or a staff member, not both.')) | [
"def",
"clean",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"staffCategory",
"and",
"not",
"self",
".",
"staffMember",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Either staff category or staff member must be specified.'",
")",
")",
"if",
"self",
".",
"staffCategory",
"and",
"self",
".",
"staffMember",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Specify either a staff category or a staff member, not both.'",
")",
")"
] | Either staffCategory or staffMember must be filled in, but not both. | [
"Either",
"staffCategory",
"or",
"staffMember",
"must",
"be",
"filled",
"in",
"but",
"not",
"both",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/guestlist/models.py#L237-L242 |
3,540 | django-danceschool/django-danceschool | danceschool/core/ajax.py | updateSeriesAttributes | def updateSeriesAttributes(request):
'''
This function handles the filtering of available series classes and seriesteachers when a series
is chosen on the Substitute Teacher reporting form.
'''
if request.method == 'POST' and request.POST.get('event'):
series_option = request.POST.get('event') or None
seriesClasses = EventOccurrence.objects.filter(event__id=series_option)
seriesTeachers = SeriesTeacher.objects.filter(event__id=series_option)
else:
# Only return attributes for valid requests
return JsonResponse({})
outClasses = {}
for option in seriesClasses:
outClasses[str(option.id)] = option.__str__()
outTeachers = {}
for option in seriesTeachers:
outTeachers[str(option.id)] = option.__str__()
return JsonResponse({
'id_occurrences': outClasses,
'id_replacedStaffMember': outTeachers,
}) | python | def updateSeriesAttributes(request):
'''
This function handles the filtering of available series classes and seriesteachers when a series
is chosen on the Substitute Teacher reporting form.
'''
if request.method == 'POST' and request.POST.get('event'):
series_option = request.POST.get('event') or None
seriesClasses = EventOccurrence.objects.filter(event__id=series_option)
seriesTeachers = SeriesTeacher.objects.filter(event__id=series_option)
else:
# Only return attributes for valid requests
return JsonResponse({})
outClasses = {}
for option in seriesClasses:
outClasses[str(option.id)] = option.__str__()
outTeachers = {}
for option in seriesTeachers:
outTeachers[str(option.id)] = option.__str__()
return JsonResponse({
'id_occurrences': outClasses,
'id_replacedStaffMember': outTeachers,
}) | [
"def",
"updateSeriesAttributes",
"(",
"request",
")",
":",
"if",
"request",
".",
"method",
"==",
"'POST'",
"and",
"request",
".",
"POST",
".",
"get",
"(",
"'event'",
")",
":",
"series_option",
"=",
"request",
".",
"POST",
".",
"get",
"(",
"'event'",
")",
"or",
"None",
"seriesClasses",
"=",
"EventOccurrence",
".",
"objects",
".",
"filter",
"(",
"event__id",
"=",
"series_option",
")",
"seriesTeachers",
"=",
"SeriesTeacher",
".",
"objects",
".",
"filter",
"(",
"event__id",
"=",
"series_option",
")",
"else",
":",
"# Only return attributes for valid requests\r",
"return",
"JsonResponse",
"(",
"{",
"}",
")",
"outClasses",
"=",
"{",
"}",
"for",
"option",
"in",
"seriesClasses",
":",
"outClasses",
"[",
"str",
"(",
"option",
".",
"id",
")",
"]",
"=",
"option",
".",
"__str__",
"(",
")",
"outTeachers",
"=",
"{",
"}",
"for",
"option",
"in",
"seriesTeachers",
":",
"outTeachers",
"[",
"str",
"(",
"option",
".",
"id",
")",
"]",
"=",
"option",
".",
"__str__",
"(",
")",
"return",
"JsonResponse",
"(",
"{",
"'id_occurrences'",
":",
"outClasses",
",",
"'id_replacedStaffMember'",
":",
"outTeachers",
",",
"}",
")"
] | This function handles the filtering of available series classes and seriesteachers when a series
is chosen on the Substitute Teacher reporting form. | [
"This",
"function",
"handles",
"the",
"filtering",
"of",
"available",
"series",
"classes",
"and",
"seriesteachers",
"when",
"a",
"series",
"is",
"chosen",
"on",
"the",
"Substitute",
"Teacher",
"reporting",
"form",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/ajax.py#L54-L78 |
3,541 | django-danceschool/django-danceschool | danceschool/core/ajax.py | processCheckIn | def processCheckIn(request):
'''
This function handles the Ajax call made when a user is marked as checked in
'''
if request.method == 'POST':
event_id = request.POST.get('event_id')
reg_ids = request.POST.getlist('reg_id')
if not event_id:
return HttpResponse(_("Error at start."))
# Get all possible registrations, so that we can set those that are not included to False (and set those that are included to True)
all_eventreg = list(EventRegistration.objects.filter(event__id=event_id))
for this_reg in all_eventreg:
if str(this_reg.registration.id) in reg_ids and not this_reg.checkedIn:
this_reg.checkedIn = True
this_reg.save()
elif str(this_reg.registration.id) not in reg_ids and this_reg.checkedIn:
this_reg.checkedIn = False
this_reg.save()
return HttpResponse("OK.") | python | def processCheckIn(request):
'''
This function handles the Ajax call made when a user is marked as checked in
'''
if request.method == 'POST':
event_id = request.POST.get('event_id')
reg_ids = request.POST.getlist('reg_id')
if not event_id:
return HttpResponse(_("Error at start."))
# Get all possible registrations, so that we can set those that are not included to False (and set those that are included to True)
all_eventreg = list(EventRegistration.objects.filter(event__id=event_id))
for this_reg in all_eventreg:
if str(this_reg.registration.id) in reg_ids and not this_reg.checkedIn:
this_reg.checkedIn = True
this_reg.save()
elif str(this_reg.registration.id) not in reg_ids and this_reg.checkedIn:
this_reg.checkedIn = False
this_reg.save()
return HttpResponse("OK.") | [
"def",
"processCheckIn",
"(",
"request",
")",
":",
"if",
"request",
".",
"method",
"==",
"'POST'",
":",
"event_id",
"=",
"request",
".",
"POST",
".",
"get",
"(",
"'event_id'",
")",
"reg_ids",
"=",
"request",
".",
"POST",
".",
"getlist",
"(",
"'reg_id'",
")",
"if",
"not",
"event_id",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"\"Error at start.\"",
")",
")",
"# Get all possible registrations, so that we can set those that are not included to False (and set those that are included to True)\r",
"all_eventreg",
"=",
"list",
"(",
"EventRegistration",
".",
"objects",
".",
"filter",
"(",
"event__id",
"=",
"event_id",
")",
")",
"for",
"this_reg",
"in",
"all_eventreg",
":",
"if",
"str",
"(",
"this_reg",
".",
"registration",
".",
"id",
")",
"in",
"reg_ids",
"and",
"not",
"this_reg",
".",
"checkedIn",
":",
"this_reg",
".",
"checkedIn",
"=",
"True",
"this_reg",
".",
"save",
"(",
")",
"elif",
"str",
"(",
"this_reg",
".",
"registration",
".",
"id",
")",
"not",
"in",
"reg_ids",
"and",
"this_reg",
".",
"checkedIn",
":",
"this_reg",
".",
"checkedIn",
"=",
"False",
"this_reg",
".",
"save",
"(",
")",
"return",
"HttpResponse",
"(",
"\"OK.\"",
")"
] | This function handles the Ajax call made when a user is marked as checked in | [
"This",
"function",
"handles",
"the",
"Ajax",
"call",
"made",
"when",
"a",
"user",
"is",
"marked",
"as",
"checked",
"in"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/ajax.py#L81-L103 |
3,542 | django-danceschool/django-danceschool | danceschool/core/ajax.py | getEmailTemplate | def getEmailTemplate(request):
'''
This function handles the Ajax call made when a user wants a specific email template
'''
if request.method != 'POST':
return HttpResponse(_('Error, no POST data.'))
if not hasattr(request,'user'):
return HttpResponse(_('Error, not authenticated.'))
template_id = request.POST.get('template')
if not template_id:
return HttpResponse(_("Error, no template ID provided."))
try:
this_template = EmailTemplate.objects.get(id=template_id)
except ObjectDoesNotExist:
return HttpResponse(_("Error getting template."))
if this_template.groupRequired and this_template.groupRequired not in request.user.groups.all():
return HttpResponse(_("Error, no permission to access this template."))
if this_template.hideFromForm:
return HttpResponse(_("Error, no permission to access this template."))
return JsonResponse({
'subject': this_template.subject,
'content': this_template.content,
'html_content': this_template.html_content,
'richTextChoice': this_template.richTextChoice,
}) | python | def getEmailTemplate(request):
'''
This function handles the Ajax call made when a user wants a specific email template
'''
if request.method != 'POST':
return HttpResponse(_('Error, no POST data.'))
if not hasattr(request,'user'):
return HttpResponse(_('Error, not authenticated.'))
template_id = request.POST.get('template')
if not template_id:
return HttpResponse(_("Error, no template ID provided."))
try:
this_template = EmailTemplate.objects.get(id=template_id)
except ObjectDoesNotExist:
return HttpResponse(_("Error getting template."))
if this_template.groupRequired and this_template.groupRequired not in request.user.groups.all():
return HttpResponse(_("Error, no permission to access this template."))
if this_template.hideFromForm:
return HttpResponse(_("Error, no permission to access this template."))
return JsonResponse({
'subject': this_template.subject,
'content': this_template.content,
'html_content': this_template.html_content,
'richTextChoice': this_template.richTextChoice,
}) | [
"def",
"getEmailTemplate",
"(",
"request",
")",
":",
"if",
"request",
".",
"method",
"!=",
"'POST'",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"'Error, no POST data.'",
")",
")",
"if",
"not",
"hasattr",
"(",
"request",
",",
"'user'",
")",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"'Error, not authenticated.'",
")",
")",
"template_id",
"=",
"request",
".",
"POST",
".",
"get",
"(",
"'template'",
")",
"if",
"not",
"template_id",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"\"Error, no template ID provided.\"",
")",
")",
"try",
":",
"this_template",
"=",
"EmailTemplate",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"template_id",
")",
"except",
"ObjectDoesNotExist",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"\"Error getting template.\"",
")",
")",
"if",
"this_template",
".",
"groupRequired",
"and",
"this_template",
".",
"groupRequired",
"not",
"in",
"request",
".",
"user",
".",
"groups",
".",
"all",
"(",
")",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"\"Error, no permission to access this template.\"",
")",
")",
"if",
"this_template",
".",
"hideFromForm",
":",
"return",
"HttpResponse",
"(",
"_",
"(",
"\"Error, no permission to access this template.\"",
")",
")",
"return",
"JsonResponse",
"(",
"{",
"'subject'",
":",
"this_template",
".",
"subject",
",",
"'content'",
":",
"this_template",
".",
"content",
",",
"'html_content'",
":",
"this_template",
".",
"html_content",
",",
"'richTextChoice'",
":",
"this_template",
".",
"richTextChoice",
",",
"}",
")"
] | This function handles the Ajax call made when a user wants a specific email template | [
"This",
"function",
"handles",
"the",
"Ajax",
"call",
"made",
"when",
"a",
"user",
"wants",
"a",
"specific",
"email",
"template"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/ajax.py#L106-L136 |
3,543 | django-danceschool/django-danceschool | danceschool/vouchers/views.py | GiftCertificateCustomizeView.dispatch | def dispatch(self,request,*args,**kwargs):
'''
Check that a valid Invoice ID has been passed in session data,
and that said invoice is marked as paid.
'''
paymentSession = request.session.get(INVOICE_VALIDATION_STR, {})
self.invoiceID = paymentSession.get('invoiceID')
self.amount = paymentSession.get('amount',0)
self.success_url = paymentSession.get('success_url',reverse('registration'))
# Check that Invoice matching passed ID exists
try:
i = Invoice.objects.get(id=self.invoiceID)
except ObjectDoesNotExist:
return HttpResponseBadRequest(_('Invalid invoice information passed.'))
if i.unpaid or i.amountPaid != self.amount:
return HttpResponseBadRequest(_('Passed invoice is not paid.'))
return super(GiftCertificateCustomizeView,self).dispatch(request,*args,**kwargs) | python | def dispatch(self,request,*args,**kwargs):
'''
Check that a valid Invoice ID has been passed in session data,
and that said invoice is marked as paid.
'''
paymentSession = request.session.get(INVOICE_VALIDATION_STR, {})
self.invoiceID = paymentSession.get('invoiceID')
self.amount = paymentSession.get('amount',0)
self.success_url = paymentSession.get('success_url',reverse('registration'))
# Check that Invoice matching passed ID exists
try:
i = Invoice.objects.get(id=self.invoiceID)
except ObjectDoesNotExist:
return HttpResponseBadRequest(_('Invalid invoice information passed.'))
if i.unpaid or i.amountPaid != self.amount:
return HttpResponseBadRequest(_('Passed invoice is not paid.'))
return super(GiftCertificateCustomizeView,self).dispatch(request,*args,**kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"paymentSession",
"=",
"request",
".",
"session",
".",
"get",
"(",
"INVOICE_VALIDATION_STR",
",",
"{",
"}",
")",
"self",
".",
"invoiceID",
"=",
"paymentSession",
".",
"get",
"(",
"'invoiceID'",
")",
"self",
".",
"amount",
"=",
"paymentSession",
".",
"get",
"(",
"'amount'",
",",
"0",
")",
"self",
".",
"success_url",
"=",
"paymentSession",
".",
"get",
"(",
"'success_url'",
",",
"reverse",
"(",
"'registration'",
")",
")",
"# Check that Invoice matching passed ID exists",
"try",
":",
"i",
"=",
"Invoice",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"self",
".",
"invoiceID",
")",
"except",
"ObjectDoesNotExist",
":",
"return",
"HttpResponseBadRequest",
"(",
"_",
"(",
"'Invalid invoice information passed.'",
")",
")",
"if",
"i",
".",
"unpaid",
"or",
"i",
".",
"amountPaid",
"!=",
"self",
".",
"amount",
":",
"return",
"HttpResponseBadRequest",
"(",
"_",
"(",
"'Passed invoice is not paid.'",
")",
")",
"return",
"super",
"(",
"GiftCertificateCustomizeView",
",",
"self",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Check that a valid Invoice ID has been passed in session data,
and that said invoice is marked as paid. | [
"Check",
"that",
"a",
"valid",
"Invoice",
"ID",
"has",
"been",
"passed",
"in",
"session",
"data",
"and",
"that",
"said",
"invoice",
"is",
"marked",
"as",
"paid",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/views.py#L31-L50 |
3,544 | django-danceschool/django-danceschool | danceschool/vouchers/views.py | GiftCertificateCustomizeView.form_valid | def form_valid(self,form):
'''
Create the gift certificate voucher with the indicated information and send
the email as directed.
'''
emailTo = form.cleaned_data.get('emailTo')
emailType = form.cleaned_data.get('emailType')
recipientName = form.cleaned_data.get('recipientName')
fromName = form.cleaned_data.get('fromName')
message = form.cleaned_data.get('message')
logger.info('Processing gift certificate.')
try:
voucher = Voucher.create_new_code(
prefix='GC_',
name=_('Gift certificate: %s%s for %s' % (getConstant('general__currencySymbol'),self.amount, emailTo)),
category=getConstant('vouchers__giftCertCategory'),
originalAmount=self.amount,
singleUse=False,
forFirstTimeCustomersOnly=False,
expirationDate=None,
)
except IntegrityError:
logger.error('Error creating gift certificate voucher for Invoice #%s' % self.invoiceId)
emailErrorMessage(_('Gift certificate transaction not completed'), self.invoiceId)
template = getConstant('vouchers__giftCertTemplate')
# Attempt to attach a PDF of the gift certificate
rf = RequestFactory()
pdf_request = rf.get('/')
pdf_kwargs = {
'currencySymbol': getConstant('general__currencySymbol'),
'businessName': getConstant('contact__businessName'),
'certificateAmount': voucher.originalAmount,
'certificateCode': voucher.voucherId,
'certificateMessage': message,
'recipientName': recipientName,
'fromName': fromName,
}
if recipientName:
pdf_kwargs.update({})
attachment = GiftCertificatePDFView(request=pdf_request).get(request=pdf_request,**pdf_kwargs).content or None
if attachment:
attachment_name = 'gift_certificate.pdf'
else:
attachment_name = None
# Send a confirmation email
email_class = EmailRecipientMixin()
email_class.email_recipient(
subject=template.subject,
content=template.content,
send_html=template.send_html,
html_content=template.html_content,
from_address=template.defaultFromAddress,
from_name=template.defaultFromName,
cc=template.defaultCC,
to=emailTo,
currencySymbol=getConstant('general__currencySymbol'),
businessName=getConstant('contact__businessName'),
certificateAmount=voucher.originalAmount,
certificateCode=voucher.voucherId,
certificateMessage=message,
recipientName=recipientName,
fromName=fromName,
emailType=emailType,
recipient_name=recipientName,
attachment_name=attachment_name,
attachment=attachment
)
# Remove the invoice session data
self.request.session.pop(INVOICE_VALIDATION_STR,None)
return HttpResponseRedirect(self.get_success_url()) | python | def form_valid(self,form):
'''
Create the gift certificate voucher with the indicated information and send
the email as directed.
'''
emailTo = form.cleaned_data.get('emailTo')
emailType = form.cleaned_data.get('emailType')
recipientName = form.cleaned_data.get('recipientName')
fromName = form.cleaned_data.get('fromName')
message = form.cleaned_data.get('message')
logger.info('Processing gift certificate.')
try:
voucher = Voucher.create_new_code(
prefix='GC_',
name=_('Gift certificate: %s%s for %s' % (getConstant('general__currencySymbol'),self.amount, emailTo)),
category=getConstant('vouchers__giftCertCategory'),
originalAmount=self.amount,
singleUse=False,
forFirstTimeCustomersOnly=False,
expirationDate=None,
)
except IntegrityError:
logger.error('Error creating gift certificate voucher for Invoice #%s' % self.invoiceId)
emailErrorMessage(_('Gift certificate transaction not completed'), self.invoiceId)
template = getConstant('vouchers__giftCertTemplate')
# Attempt to attach a PDF of the gift certificate
rf = RequestFactory()
pdf_request = rf.get('/')
pdf_kwargs = {
'currencySymbol': getConstant('general__currencySymbol'),
'businessName': getConstant('contact__businessName'),
'certificateAmount': voucher.originalAmount,
'certificateCode': voucher.voucherId,
'certificateMessage': message,
'recipientName': recipientName,
'fromName': fromName,
}
if recipientName:
pdf_kwargs.update({})
attachment = GiftCertificatePDFView(request=pdf_request).get(request=pdf_request,**pdf_kwargs).content or None
if attachment:
attachment_name = 'gift_certificate.pdf'
else:
attachment_name = None
# Send a confirmation email
email_class = EmailRecipientMixin()
email_class.email_recipient(
subject=template.subject,
content=template.content,
send_html=template.send_html,
html_content=template.html_content,
from_address=template.defaultFromAddress,
from_name=template.defaultFromName,
cc=template.defaultCC,
to=emailTo,
currencySymbol=getConstant('general__currencySymbol'),
businessName=getConstant('contact__businessName'),
certificateAmount=voucher.originalAmount,
certificateCode=voucher.voucherId,
certificateMessage=message,
recipientName=recipientName,
fromName=fromName,
emailType=emailType,
recipient_name=recipientName,
attachment_name=attachment_name,
attachment=attachment
)
# Remove the invoice session data
self.request.session.pop(INVOICE_VALIDATION_STR,None)
return HttpResponseRedirect(self.get_success_url()) | [
"def",
"form_valid",
"(",
"self",
",",
"form",
")",
":",
"emailTo",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'emailTo'",
")",
"emailType",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'emailType'",
")",
"recipientName",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'recipientName'",
")",
"fromName",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'fromName'",
")",
"message",
"=",
"form",
".",
"cleaned_data",
".",
"get",
"(",
"'message'",
")",
"logger",
".",
"info",
"(",
"'Processing gift certificate.'",
")",
"try",
":",
"voucher",
"=",
"Voucher",
".",
"create_new_code",
"(",
"prefix",
"=",
"'GC_'",
",",
"name",
"=",
"_",
"(",
"'Gift certificate: %s%s for %s'",
"%",
"(",
"getConstant",
"(",
"'general__currencySymbol'",
")",
",",
"self",
".",
"amount",
",",
"emailTo",
")",
")",
",",
"category",
"=",
"getConstant",
"(",
"'vouchers__giftCertCategory'",
")",
",",
"originalAmount",
"=",
"self",
".",
"amount",
",",
"singleUse",
"=",
"False",
",",
"forFirstTimeCustomersOnly",
"=",
"False",
",",
"expirationDate",
"=",
"None",
",",
")",
"except",
"IntegrityError",
":",
"logger",
".",
"error",
"(",
"'Error creating gift certificate voucher for Invoice #%s'",
"%",
"self",
".",
"invoiceId",
")",
"emailErrorMessage",
"(",
"_",
"(",
"'Gift certificate transaction not completed'",
")",
",",
"self",
".",
"invoiceId",
")",
"template",
"=",
"getConstant",
"(",
"'vouchers__giftCertTemplate'",
")",
"# Attempt to attach a PDF of the gift certificate",
"rf",
"=",
"RequestFactory",
"(",
")",
"pdf_request",
"=",
"rf",
".",
"get",
"(",
"'/'",
")",
"pdf_kwargs",
"=",
"{",
"'currencySymbol'",
":",
"getConstant",
"(",
"'general__currencySymbol'",
")",
",",
"'businessName'",
":",
"getConstant",
"(",
"'contact__businessName'",
")",
",",
"'certificateAmount'",
":",
"voucher",
".",
"originalAmount",
",",
"'certificateCode'",
":",
"voucher",
".",
"voucherId",
",",
"'certificateMessage'",
":",
"message",
",",
"'recipientName'",
":",
"recipientName",
",",
"'fromName'",
":",
"fromName",
",",
"}",
"if",
"recipientName",
":",
"pdf_kwargs",
".",
"update",
"(",
"{",
"}",
")",
"attachment",
"=",
"GiftCertificatePDFView",
"(",
"request",
"=",
"pdf_request",
")",
".",
"get",
"(",
"request",
"=",
"pdf_request",
",",
"*",
"*",
"pdf_kwargs",
")",
".",
"content",
"or",
"None",
"if",
"attachment",
":",
"attachment_name",
"=",
"'gift_certificate.pdf'",
"else",
":",
"attachment_name",
"=",
"None",
"# Send a confirmation email",
"email_class",
"=",
"EmailRecipientMixin",
"(",
")",
"email_class",
".",
"email_recipient",
"(",
"subject",
"=",
"template",
".",
"subject",
",",
"content",
"=",
"template",
".",
"content",
",",
"send_html",
"=",
"template",
".",
"send_html",
",",
"html_content",
"=",
"template",
".",
"html_content",
",",
"from_address",
"=",
"template",
".",
"defaultFromAddress",
",",
"from_name",
"=",
"template",
".",
"defaultFromName",
",",
"cc",
"=",
"template",
".",
"defaultCC",
",",
"to",
"=",
"emailTo",
",",
"currencySymbol",
"=",
"getConstant",
"(",
"'general__currencySymbol'",
")",
",",
"businessName",
"=",
"getConstant",
"(",
"'contact__businessName'",
")",
",",
"certificateAmount",
"=",
"voucher",
".",
"originalAmount",
",",
"certificateCode",
"=",
"voucher",
".",
"voucherId",
",",
"certificateMessage",
"=",
"message",
",",
"recipientName",
"=",
"recipientName",
",",
"fromName",
"=",
"fromName",
",",
"emailType",
"=",
"emailType",
",",
"recipient_name",
"=",
"recipientName",
",",
"attachment_name",
"=",
"attachment_name",
",",
"attachment",
"=",
"attachment",
")",
"# Remove the invoice session data",
"self",
".",
"request",
".",
"session",
".",
"pop",
"(",
"INVOICE_VALIDATION_STR",
",",
"None",
")",
"return",
"HttpResponseRedirect",
"(",
"self",
".",
"get_success_url",
"(",
")",
")"
] | Create the gift certificate voucher with the indicated information and send
the email as directed. | [
"Create",
"the",
"gift",
"certificate",
"voucher",
"with",
"the",
"indicated",
"information",
"and",
"send",
"the",
"email",
"as",
"directed",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/views.py#L52-L131 |
3,545 | django-danceschool/django-danceschool | danceschool/core/tasks.py | updateSeriesRegistrationStatus | def updateSeriesRegistrationStatus():
'''
Every hour, check if the series that are currently open for registration
should be closed.
'''
from .models import Series
if not getConstant('general__enableCronTasks'):
return
logger.info('Checking status of Series that are open for registration.')
open_series = Series.objects.filter().filter(**{'registrationOpen': True})
for series in open_series:
series.updateRegistrationStatus() | python | def updateSeriesRegistrationStatus():
'''
Every hour, check if the series that are currently open for registration
should be closed.
'''
from .models import Series
if not getConstant('general__enableCronTasks'):
return
logger.info('Checking status of Series that are open for registration.')
open_series = Series.objects.filter().filter(**{'registrationOpen': True})
for series in open_series:
series.updateRegistrationStatus() | [
"def",
"updateSeriesRegistrationStatus",
"(",
")",
":",
"from",
".",
"models",
"import",
"Series",
"if",
"not",
"getConstant",
"(",
"'general__enableCronTasks'",
")",
":",
"return",
"logger",
".",
"info",
"(",
"'Checking status of Series that are open for registration.'",
")",
"open_series",
"=",
"Series",
".",
"objects",
".",
"filter",
"(",
")",
".",
"filter",
"(",
"*",
"*",
"{",
"'registrationOpen'",
":",
"True",
"}",
")",
"for",
"series",
"in",
"open_series",
":",
"series",
".",
"updateRegistrationStatus",
"(",
")"
] | Every hour, check if the series that are currently open for registration
should be closed. | [
"Every",
"hour",
"check",
"if",
"the",
"series",
"that",
"are",
"currently",
"open",
"for",
"registration",
"should",
"be",
"closed",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/tasks.py#L19-L34 |
3,546 | django-danceschool/django-danceschool | danceschool/core/tasks.py | clearExpiredTemporaryRegistrations | def clearExpiredTemporaryRegistrations():
'''
Every hour, look for TemporaryRegistrations that have expired and delete them.
To ensure that there are no issues that arise from slight differences between
session expiration dates and TemporaryRegistration expiration dates, only
delete instances that have been expired for one minute.
'''
from .models import TemporaryRegistration
if not getConstant('general__enableCronTasks'):
return
if getConstant('registration__deleteExpiredTemporaryRegistrations'):
TemporaryRegistration.objects.filter(expirationDate__lte=timezone.now() - timedelta(minutes=1)).delete()
call_command('clearsessions') | python | def clearExpiredTemporaryRegistrations():
'''
Every hour, look for TemporaryRegistrations that have expired and delete them.
To ensure that there are no issues that arise from slight differences between
session expiration dates and TemporaryRegistration expiration dates, only
delete instances that have been expired for one minute.
'''
from .models import TemporaryRegistration
if not getConstant('general__enableCronTasks'):
return
if getConstant('registration__deleteExpiredTemporaryRegistrations'):
TemporaryRegistration.objects.filter(expirationDate__lte=timezone.now() - timedelta(minutes=1)).delete()
call_command('clearsessions') | [
"def",
"clearExpiredTemporaryRegistrations",
"(",
")",
":",
"from",
".",
"models",
"import",
"TemporaryRegistration",
"if",
"not",
"getConstant",
"(",
"'general__enableCronTasks'",
")",
":",
"return",
"if",
"getConstant",
"(",
"'registration__deleteExpiredTemporaryRegistrations'",
")",
":",
"TemporaryRegistration",
".",
"objects",
".",
"filter",
"(",
"expirationDate__lte",
"=",
"timezone",
".",
"now",
"(",
")",
"-",
"timedelta",
"(",
"minutes",
"=",
"1",
")",
")",
".",
"delete",
"(",
")",
"call_command",
"(",
"'clearsessions'",
")"
] | Every hour, look for TemporaryRegistrations that have expired and delete them.
To ensure that there are no issues that arise from slight differences between
session expiration dates and TemporaryRegistration expiration dates, only
delete instances that have been expired for one minute. | [
"Every",
"hour",
"look",
"for",
"TemporaryRegistrations",
"that",
"have",
"expired",
"and",
"delete",
"them",
".",
"To",
"ensure",
"that",
"there",
"are",
"no",
"issues",
"that",
"arise",
"from",
"slight",
"differences",
"between",
"session",
"expiration",
"dates",
"and",
"TemporaryRegistration",
"expiration",
"dates",
"only",
"delete",
"instances",
"that",
"have",
"been",
"expired",
"for",
"one",
"minute",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/tasks.py#L38-L52 |
3,547 | django-danceschool/django-danceschool | danceschool/financial/tasks.py | updateFinancialItems | def updateFinancialItems():
'''
Every hour, create any necessary revenue items and expense items for
activities that need them.
'''
if not getConstant('general__enableCronTasks'):
return
logger.info('Creating automatically-generated financial items.')
if getConstant('financial__autoGenerateExpensesEventStaff'):
createExpenseItemsForEvents()
if getConstant('financial__autoGenerateExpensesVenueRental'):
createExpenseItemsForVenueRental()
if getConstant('financial__autoGenerateRevenueRegistrations'):
createRevenueItemsForRegistrations() | python | def updateFinancialItems():
'''
Every hour, create any necessary revenue items and expense items for
activities that need them.
'''
if not getConstant('general__enableCronTasks'):
return
logger.info('Creating automatically-generated financial items.')
if getConstant('financial__autoGenerateExpensesEventStaff'):
createExpenseItemsForEvents()
if getConstant('financial__autoGenerateExpensesVenueRental'):
createExpenseItemsForVenueRental()
if getConstant('financial__autoGenerateRevenueRegistrations'):
createRevenueItemsForRegistrations() | [
"def",
"updateFinancialItems",
"(",
")",
":",
"if",
"not",
"getConstant",
"(",
"'general__enableCronTasks'",
")",
":",
"return",
"logger",
".",
"info",
"(",
"'Creating automatically-generated financial items.'",
")",
"if",
"getConstant",
"(",
"'financial__autoGenerateExpensesEventStaff'",
")",
":",
"createExpenseItemsForEvents",
"(",
")",
"if",
"getConstant",
"(",
"'financial__autoGenerateExpensesVenueRental'",
")",
":",
"createExpenseItemsForVenueRental",
"(",
")",
"if",
"getConstant",
"(",
"'financial__autoGenerateRevenueRegistrations'",
")",
":",
"createRevenueItemsForRegistrations",
"(",
")"
] | Every hour, create any necessary revenue items and expense items for
activities that need them. | [
"Every",
"hour",
"create",
"any",
"necessary",
"revenue",
"items",
"and",
"expense",
"items",
"for",
"activities",
"that",
"need",
"them",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/tasks.py#L15-L30 |
3,548 | django-danceschool/django-danceschool | danceschool/core/helpers.py | emailErrorMessage | def emailErrorMessage(subject,message):
'''
Useful for sending error messages via email.
'''
if not getConstant('email__enableErrorEmails'):
logger.info('Not sending error email: error emails are not enabled.')
return
send_from = getConstant('email__errorEmailFrom')
send_to = getConstant('email__errorEmailTo')
if not send_from or not send_to:
logger.error('Cannot send error emails because addresses have not been specified.')
return
try:
send_mail(subject,message,
send_from,
[send_to], fail_silently=False)
logger.debug('Error email sent.')
except Exception as e:
logger.error('Error email was not sent: %s' % e) | python | def emailErrorMessage(subject,message):
'''
Useful for sending error messages via email.
'''
if not getConstant('email__enableErrorEmails'):
logger.info('Not sending error email: error emails are not enabled.')
return
send_from = getConstant('email__errorEmailFrom')
send_to = getConstant('email__errorEmailTo')
if not send_from or not send_to:
logger.error('Cannot send error emails because addresses have not been specified.')
return
try:
send_mail(subject,message,
send_from,
[send_to], fail_silently=False)
logger.debug('Error email sent.')
except Exception as e:
logger.error('Error email was not sent: %s' % e) | [
"def",
"emailErrorMessage",
"(",
"subject",
",",
"message",
")",
":",
"if",
"not",
"getConstant",
"(",
"'email__enableErrorEmails'",
")",
":",
"logger",
".",
"info",
"(",
"'Not sending error email: error emails are not enabled.'",
")",
"return",
"send_from",
"=",
"getConstant",
"(",
"'email__errorEmailFrom'",
")",
"send_to",
"=",
"getConstant",
"(",
"'email__errorEmailTo'",
")",
"if",
"not",
"send_from",
"or",
"not",
"send_to",
":",
"logger",
".",
"error",
"(",
"'Cannot send error emails because addresses have not been specified.'",
")",
"return",
"try",
":",
"send_mail",
"(",
"subject",
",",
"message",
",",
"send_from",
",",
"[",
"send_to",
"]",
",",
"fail_silently",
"=",
"False",
")",
"logger",
".",
"debug",
"(",
"'Error email sent.'",
")",
"except",
"Exception",
"as",
"e",
":",
"logger",
".",
"error",
"(",
"'Error email was not sent: %s'",
"%",
"e",
")"
] | Useful for sending error messages via email. | [
"Useful",
"for",
"sending",
"error",
"messages",
"via",
"email",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/helpers.py#L15-L36 |
3,549 | django-danceschool/django-danceschool | danceschool/financial/views.py | FinancesByPeriodView.get | def get(self,request,*args,**kwargs):
'''
Allow passing of basis and time limitations
'''
try:
year = int(self.kwargs.get('year'))
except (ValueError, TypeError):
year = getIntFromGet(request,'year')
kwargs.update({
'year': year,
'basis': request.GET.get('basis'),
})
if kwargs.get('basis') not in EXPENSE_BASES.keys():
kwargs['basis'] = 'accrualDate'
return super().get(request, *args, **kwargs) | python | def get(self,request,*args,**kwargs):
'''
Allow passing of basis and time limitations
'''
try:
year = int(self.kwargs.get('year'))
except (ValueError, TypeError):
year = getIntFromGet(request,'year')
kwargs.update({
'year': year,
'basis': request.GET.get('basis'),
})
if kwargs.get('basis') not in EXPENSE_BASES.keys():
kwargs['basis'] = 'accrualDate'
return super().get(request, *args, **kwargs) | [
"def",
"get",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"year",
"=",
"int",
"(",
"self",
".",
"kwargs",
".",
"get",
"(",
"'year'",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"year",
"=",
"getIntFromGet",
"(",
"request",
",",
"'year'",
")",
"kwargs",
".",
"update",
"(",
"{",
"'year'",
":",
"year",
",",
"'basis'",
":",
"request",
".",
"GET",
".",
"get",
"(",
"'basis'",
")",
",",
"}",
")",
"if",
"kwargs",
".",
"get",
"(",
"'basis'",
")",
"not",
"in",
"EXPENSE_BASES",
".",
"keys",
"(",
")",
":",
"kwargs",
"[",
"'basis'",
"]",
"=",
"'accrualDate'",
"return",
"super",
"(",
")",
".",
"get",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Allow passing of basis and time limitations | [
"Allow",
"passing",
"of",
"basis",
"and",
"time",
"limitations"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L303-L320 |
3,550 | django-danceschool/django-danceschool | danceschool/financial/views.py | FinancialDetailView.get | def get(self,request,*args,**kwargs):
'''
Pass any permissable GET data. URL parameters override GET parameters
'''
try:
year = int(self.kwargs.get('year'))
except (ValueError, TypeError):
year = getIntFromGet(request,'year')
if self.kwargs.get('month'):
try:
month = int(self.kwargs.get('month'))
except (ValueError, TypeError):
try:
month = list(month_name).index(self.kwargs.get('month').title())
except (ValueError, TypeError):
month = None
else:
month = getIntFromGet(request, 'month')
try:
event_id = int(self.kwargs.get('event'))
except (ValueError, TypeError):
event_id = getIntFromGet(request, 'event')
event = None
if event_id:
try:
event = Event.objects.get(id=event_id)
except ObjectDoesNotExist:
pass
kwargs.update({
'year': year,
'month': month,
'startDate': getDateTimeFromGet(request,'startDate'),
'endDate': getDateTimeFromGet(request,'endDate'),
'basis': request.GET.get('basis'),
'event': event,
})
if kwargs.get('basis') not in EXPENSE_BASES.keys():
kwargs['basis'] = 'accrualDate'
context = self.get_context_data(**kwargs)
return self.render_to_response(context) | python | def get(self,request,*args,**kwargs):
'''
Pass any permissable GET data. URL parameters override GET parameters
'''
try:
year = int(self.kwargs.get('year'))
except (ValueError, TypeError):
year = getIntFromGet(request,'year')
if self.kwargs.get('month'):
try:
month = int(self.kwargs.get('month'))
except (ValueError, TypeError):
try:
month = list(month_name).index(self.kwargs.get('month').title())
except (ValueError, TypeError):
month = None
else:
month = getIntFromGet(request, 'month')
try:
event_id = int(self.kwargs.get('event'))
except (ValueError, TypeError):
event_id = getIntFromGet(request, 'event')
event = None
if event_id:
try:
event = Event.objects.get(id=event_id)
except ObjectDoesNotExist:
pass
kwargs.update({
'year': year,
'month': month,
'startDate': getDateTimeFromGet(request,'startDate'),
'endDate': getDateTimeFromGet(request,'endDate'),
'basis': request.GET.get('basis'),
'event': event,
})
if kwargs.get('basis') not in EXPENSE_BASES.keys():
kwargs['basis'] = 'accrualDate'
context = self.get_context_data(**kwargs)
return self.render_to_response(context) | [
"def",
"get",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"try",
":",
"year",
"=",
"int",
"(",
"self",
".",
"kwargs",
".",
"get",
"(",
"'year'",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"year",
"=",
"getIntFromGet",
"(",
"request",
",",
"'year'",
")",
"if",
"self",
".",
"kwargs",
".",
"get",
"(",
"'month'",
")",
":",
"try",
":",
"month",
"=",
"int",
"(",
"self",
".",
"kwargs",
".",
"get",
"(",
"'month'",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"try",
":",
"month",
"=",
"list",
"(",
"month_name",
")",
".",
"index",
"(",
"self",
".",
"kwargs",
".",
"get",
"(",
"'month'",
")",
".",
"title",
"(",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"month",
"=",
"None",
"else",
":",
"month",
"=",
"getIntFromGet",
"(",
"request",
",",
"'month'",
")",
"try",
":",
"event_id",
"=",
"int",
"(",
"self",
".",
"kwargs",
".",
"get",
"(",
"'event'",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"event_id",
"=",
"getIntFromGet",
"(",
"request",
",",
"'event'",
")",
"event",
"=",
"None",
"if",
"event_id",
":",
"try",
":",
"event",
"=",
"Event",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"event_id",
")",
"except",
"ObjectDoesNotExist",
":",
"pass",
"kwargs",
".",
"update",
"(",
"{",
"'year'",
":",
"year",
",",
"'month'",
":",
"month",
",",
"'startDate'",
":",
"getDateTimeFromGet",
"(",
"request",
",",
"'startDate'",
")",
",",
"'endDate'",
":",
"getDateTimeFromGet",
"(",
"request",
",",
"'endDate'",
")",
",",
"'basis'",
":",
"request",
".",
"GET",
".",
"get",
"(",
"'basis'",
")",
",",
"'event'",
":",
"event",
",",
"}",
")",
"if",
"kwargs",
".",
"get",
"(",
"'basis'",
")",
"not",
"in",
"EXPENSE_BASES",
".",
"keys",
"(",
")",
":",
"kwargs",
"[",
"'basis'",
"]",
"=",
"'accrualDate'",
"context",
"=",
"self",
".",
"get_context_data",
"(",
"*",
"*",
"kwargs",
")",
"return",
"self",
".",
"render_to_response",
"(",
"context",
")"
] | Pass any permissable GET data. URL parameters override GET parameters | [
"Pass",
"any",
"permissable",
"GET",
"data",
".",
"URL",
"parameters",
"override",
"GET",
"parameters"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L428-L473 |
3,551 | django-danceschool/django-danceschool | danceschool/financial/views.py | CompensationActionView.get_form_kwargs | def get_form_kwargs(self, **kwargs):
''' pass the list of staff members along to the form '''
kwargs = super(CompensationActionView, self).get_form_kwargs(**kwargs)
kwargs['staffmembers'] = self.queryset
return kwargs | python | def get_form_kwargs(self, **kwargs):
''' pass the list of staff members along to the form '''
kwargs = super(CompensationActionView, self).get_form_kwargs(**kwargs)
kwargs['staffmembers'] = self.queryset
return kwargs | [
"def",
"get_form_kwargs",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"kwargs",
"=",
"super",
"(",
"CompensationActionView",
",",
"self",
")",
".",
"get_form_kwargs",
"(",
"*",
"*",
"kwargs",
")",
"kwargs",
"[",
"'staffmembers'",
"]",
"=",
"self",
".",
"queryset",
"return",
"kwargs"
] | pass the list of staff members along to the form | [
"pass",
"the",
"list",
"of",
"staff",
"members",
"along",
"to",
"the",
"form"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/views.py#L631-L635 |
3,552 | django-danceschool/django-danceschool | danceschool/private_events/forms.py | EventOccurrenceCustomFormSet.setReminder | def setReminder(self,occurrence):
'''
This function is called to create the actual reminders for each occurrence that is created.
'''
sendReminderTo = self[0].cleaned_data['sendReminderTo']
sendReminderWhen = self[0].cleaned_data['sendReminderWhen']
sendReminderGroup = self[0].cleaned_data['sendReminderGroup']
sendReminderUsers = self[0].cleaned_data['sendReminderUsers']
# Set the new reminder's time
new_reminder_time = occurrence.startTime - timedelta(minutes=int(float(sendReminderWhen)))
new_reminder = EventReminder(eventOccurrence=occurrence,time=new_reminder_time)
new_reminder.save()
# Set reminders based on the choice the user made
if sendReminderTo == 'all':
user_set = User.objects.filter(Q(staffmember__isnull=False) | Q(is_staff=True))
elif sendReminderTo == 'me':
user_set = User.objects.filter(id=occurrence.event.submissionUser.id)
elif sendReminderTo == 'users':
user_set = User.objects.filter(**{'id__in': sendReminderUsers})
elif sendReminderTo == 'group':
user_set = User.objects.filter(**{'groups': sendReminderGroup})
else:
user_set = []
for user in user_set:
new_reminder.notifyList.add(user) | python | def setReminder(self,occurrence):
'''
This function is called to create the actual reminders for each occurrence that is created.
'''
sendReminderTo = self[0].cleaned_data['sendReminderTo']
sendReminderWhen = self[0].cleaned_data['sendReminderWhen']
sendReminderGroup = self[0].cleaned_data['sendReminderGroup']
sendReminderUsers = self[0].cleaned_data['sendReminderUsers']
# Set the new reminder's time
new_reminder_time = occurrence.startTime - timedelta(minutes=int(float(sendReminderWhen)))
new_reminder = EventReminder(eventOccurrence=occurrence,time=new_reminder_time)
new_reminder.save()
# Set reminders based on the choice the user made
if sendReminderTo == 'all':
user_set = User.objects.filter(Q(staffmember__isnull=False) | Q(is_staff=True))
elif sendReminderTo == 'me':
user_set = User.objects.filter(id=occurrence.event.submissionUser.id)
elif sendReminderTo == 'users':
user_set = User.objects.filter(**{'id__in': sendReminderUsers})
elif sendReminderTo == 'group':
user_set = User.objects.filter(**{'groups': sendReminderGroup})
else:
user_set = []
for user in user_set:
new_reminder.notifyList.add(user) | [
"def",
"setReminder",
"(",
"self",
",",
"occurrence",
")",
":",
"sendReminderTo",
"=",
"self",
"[",
"0",
"]",
".",
"cleaned_data",
"[",
"'sendReminderTo'",
"]",
"sendReminderWhen",
"=",
"self",
"[",
"0",
"]",
".",
"cleaned_data",
"[",
"'sendReminderWhen'",
"]",
"sendReminderGroup",
"=",
"self",
"[",
"0",
"]",
".",
"cleaned_data",
"[",
"'sendReminderGroup'",
"]",
"sendReminderUsers",
"=",
"self",
"[",
"0",
"]",
".",
"cleaned_data",
"[",
"'sendReminderUsers'",
"]",
"# Set the new reminder's time\r",
"new_reminder_time",
"=",
"occurrence",
".",
"startTime",
"-",
"timedelta",
"(",
"minutes",
"=",
"int",
"(",
"float",
"(",
"sendReminderWhen",
")",
")",
")",
"new_reminder",
"=",
"EventReminder",
"(",
"eventOccurrence",
"=",
"occurrence",
",",
"time",
"=",
"new_reminder_time",
")",
"new_reminder",
".",
"save",
"(",
")",
"# Set reminders based on the choice the user made\r",
"if",
"sendReminderTo",
"==",
"'all'",
":",
"user_set",
"=",
"User",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"staffmember__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"is_staff",
"=",
"True",
")",
")",
"elif",
"sendReminderTo",
"==",
"'me'",
":",
"user_set",
"=",
"User",
".",
"objects",
".",
"filter",
"(",
"id",
"=",
"occurrence",
".",
"event",
".",
"submissionUser",
".",
"id",
")",
"elif",
"sendReminderTo",
"==",
"'users'",
":",
"user_set",
"=",
"User",
".",
"objects",
".",
"filter",
"(",
"*",
"*",
"{",
"'id__in'",
":",
"sendReminderUsers",
"}",
")",
"elif",
"sendReminderTo",
"==",
"'group'",
":",
"user_set",
"=",
"User",
".",
"objects",
".",
"filter",
"(",
"*",
"*",
"{",
"'groups'",
":",
"sendReminderGroup",
"}",
")",
"else",
":",
"user_set",
"=",
"[",
"]",
"for",
"user",
"in",
"user_set",
":",
"new_reminder",
".",
"notifyList",
".",
"add",
"(",
"user",
")"
] | This function is called to create the actual reminders for each occurrence that is created. | [
"This",
"function",
"is",
"called",
"to",
"create",
"the",
"actual",
"reminders",
"for",
"each",
"occurrence",
"that",
"is",
"created",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_events/forms.py#L181-L208 |
3,553 | django-danceschool/django-danceschool | danceschool/core/utils/requests.py | getIntFromGet | def getIntFromGet(request,key):
'''
This function just parses the request GET data for the requested key,
and returns it as an integer, returning none if the key is not
available or is in incorrect format.
'''
try:
return int(request.GET.get(key))
except (ValueError, TypeError):
return None | python | def getIntFromGet(request,key):
'''
This function just parses the request GET data for the requested key,
and returns it as an integer, returning none if the key is not
available or is in incorrect format.
'''
try:
return int(request.GET.get(key))
except (ValueError, TypeError):
return None | [
"def",
"getIntFromGet",
"(",
"request",
",",
"key",
")",
":",
"try",
":",
"return",
"int",
"(",
"request",
".",
"GET",
".",
"get",
"(",
"key",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"return",
"None"
] | This function just parses the request GET data for the requested key,
and returns it as an integer, returning none if the key is not
available or is in incorrect format. | [
"This",
"function",
"just",
"parses",
"the",
"request",
"GET",
"data",
"for",
"the",
"requested",
"key",
"and",
"returns",
"it",
"as",
"an",
"integer",
"returning",
"none",
"if",
"the",
"key",
"is",
"not",
"available",
"or",
"is",
"in",
"incorrect",
"format",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/requests.py#L7-L16 |
3,554 | django-danceschool/django-danceschool | danceschool/core/utils/requests.py | getDateTimeFromGet | def getDateTimeFromGet(request,key):
'''
This function just parses the request GET data for the requested key,
and returns it in datetime format, returning none if the key is not
available or is in incorrect format.
'''
if request.GET.get(key,''):
try:
return ensure_timezone(datetime.strptime(unquote(request.GET.get(key,'')),'%Y-%m-%d'))
except (ValueError, TypeError):
pass
return None | python | def getDateTimeFromGet(request,key):
'''
This function just parses the request GET data for the requested key,
and returns it in datetime format, returning none if the key is not
available or is in incorrect format.
'''
if request.GET.get(key,''):
try:
return ensure_timezone(datetime.strptime(unquote(request.GET.get(key,'')),'%Y-%m-%d'))
except (ValueError, TypeError):
pass
return None | [
"def",
"getDateTimeFromGet",
"(",
"request",
",",
"key",
")",
":",
"if",
"request",
".",
"GET",
".",
"get",
"(",
"key",
",",
"''",
")",
":",
"try",
":",
"return",
"ensure_timezone",
"(",
"datetime",
".",
"strptime",
"(",
"unquote",
"(",
"request",
".",
"GET",
".",
"get",
"(",
"key",
",",
"''",
")",
")",
",",
"'%Y-%m-%d'",
")",
")",
"except",
"(",
"ValueError",
",",
"TypeError",
")",
":",
"pass",
"return",
"None"
] | This function just parses the request GET data for the requested key,
and returns it in datetime format, returning none if the key is not
available or is in incorrect format. | [
"This",
"function",
"just",
"parses",
"the",
"request",
"GET",
"data",
"for",
"the",
"requested",
"key",
"and",
"returns",
"it",
"in",
"datetime",
"format",
"returning",
"none",
"if",
"the",
"key",
"is",
"not",
"available",
"or",
"is",
"in",
"incorrect",
"format",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/requests.py#L19-L30 |
3,555 | django-danceschool/django-danceschool | danceschool/private_lessons/handlers.py | finalizePrivateLessonRegistration | def finalizePrivateLessonRegistration(sender,**kwargs):
'''
Once a private lesson registration is finalized, mark the slots that were
used to book the private lesson as booked and associate them with the final
registration. No need to notify students in this instance because they are
already receiving a notification of their registration.
'''
finalReg = kwargs.pop('registration')
for er in finalReg.eventregistration_set.filter(
event__privatelessonevent__isnull=False
):
er.event.finalizeBooking(eventRegistration=er,notifyStudent=False) | python | def finalizePrivateLessonRegistration(sender,**kwargs):
'''
Once a private lesson registration is finalized, mark the slots that were
used to book the private lesson as booked and associate them with the final
registration. No need to notify students in this instance because they are
already receiving a notification of their registration.
'''
finalReg = kwargs.pop('registration')
for er in finalReg.eventregistration_set.filter(
event__privatelessonevent__isnull=False
):
er.event.finalizeBooking(eventRegistration=er,notifyStudent=False) | [
"def",
"finalizePrivateLessonRegistration",
"(",
"sender",
",",
"*",
"*",
"kwargs",
")",
":",
"finalReg",
"=",
"kwargs",
".",
"pop",
"(",
"'registration'",
")",
"for",
"er",
"in",
"finalReg",
".",
"eventregistration_set",
".",
"filter",
"(",
"event__privatelessonevent__isnull",
"=",
"False",
")",
":",
"er",
".",
"event",
".",
"finalizeBooking",
"(",
"eventRegistration",
"=",
"er",
",",
"notifyStudent",
"=",
"False",
")"
] | Once a private lesson registration is finalized, mark the slots that were
used to book the private lesson as booked and associate them with the final
registration. No need to notify students in this instance because they are
already receiving a notification of their registration. | [
"Once",
"a",
"private",
"lesson",
"registration",
"is",
"finalized",
"mark",
"the",
"slots",
"that",
"were",
"used",
"to",
"book",
"the",
"private",
"lesson",
"as",
"booked",
"and",
"associate",
"them",
"with",
"the",
"final",
"registration",
".",
"No",
"need",
"to",
"notify",
"students",
"in",
"this",
"instance",
"because",
"they",
"are",
"already",
"receiving",
"a",
"notification",
"of",
"their",
"registration",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/handlers.py#L6-L19 |
3,556 | django-danceschool/django-danceschool | danceschool/financial/admin.py | resetStaffCompensationInfo | def resetStaffCompensationInfo(self, request, queryset):
'''
This action is added to the list for staff member to permit bulk
reseting to category defaults of compensation information for staff members.
'''
selected = request.POST.getlist(admin.ACTION_CHECKBOX_NAME)
ct = ContentType.objects.get_for_model(queryset.model)
return HttpResponseRedirect(reverse('resetCompensationRules') + "?ct=%s&ids=%s" % (ct.pk, ",".join(selected))) | python | def resetStaffCompensationInfo(self, request, queryset):
'''
This action is added to the list for staff member to permit bulk
reseting to category defaults of compensation information for staff members.
'''
selected = request.POST.getlist(admin.ACTION_CHECKBOX_NAME)
ct = ContentType.objects.get_for_model(queryset.model)
return HttpResponseRedirect(reverse('resetCompensationRules') + "?ct=%s&ids=%s" % (ct.pk, ",".join(selected))) | [
"def",
"resetStaffCompensationInfo",
"(",
"self",
",",
"request",
",",
"queryset",
")",
":",
"selected",
"=",
"request",
".",
"POST",
".",
"getlist",
"(",
"admin",
".",
"ACTION_CHECKBOX_NAME",
")",
"ct",
"=",
"ContentType",
".",
"objects",
".",
"get_for_model",
"(",
"queryset",
".",
"model",
")",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'resetCompensationRules'",
")",
"+",
"\"?ct=%s&ids=%s\"",
"%",
"(",
"ct",
".",
"pk",
",",
"\",\"",
".",
"join",
"(",
"selected",
")",
")",
")"
] | This action is added to the list for staff member to permit bulk
reseting to category defaults of compensation information for staff members. | [
"This",
"action",
"is",
"added",
"to",
"the",
"list",
"for",
"staff",
"member",
"to",
"permit",
"bulk",
"reseting",
"to",
"category",
"defaults",
"of",
"compensation",
"information",
"for",
"staff",
"members",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/admin.py#L382-L389 |
3,557 | django-danceschool/django-danceschool | danceschool/financial/admin.py | RepeatedExpenseRuleChildAdmin.get_fieldsets | def get_fieldsets(self, request, obj=None):
''' Override polymorphic default to put the subclass-specific fields first '''
# If subclass declares fieldsets, this is respected
if (hasattr(self, 'declared_fieldset') and self.declared_fieldsets) \
or not self.base_fieldsets:
return super(PolymorphicChildModelAdmin, self).get_fieldsets(request, obj)
other_fields = self.get_subclass_fields(request, obj)
if other_fields:
return (
(self.extra_fieldset_title, {'fields': other_fields}),
) + self.base_fieldsets
else:
return self.base_fieldsets | python | def get_fieldsets(self, request, obj=None):
''' Override polymorphic default to put the subclass-specific fields first '''
# If subclass declares fieldsets, this is respected
if (hasattr(self, 'declared_fieldset') and self.declared_fieldsets) \
or not self.base_fieldsets:
return super(PolymorphicChildModelAdmin, self).get_fieldsets(request, obj)
other_fields = self.get_subclass_fields(request, obj)
if other_fields:
return (
(self.extra_fieldset_title, {'fields': other_fields}),
) + self.base_fieldsets
else:
return self.base_fieldsets | [
"def",
"get_fieldsets",
"(",
"self",
",",
"request",
",",
"obj",
"=",
"None",
")",
":",
"# If subclass declares fieldsets, this is respected",
"if",
"(",
"hasattr",
"(",
"self",
",",
"'declared_fieldset'",
")",
"and",
"self",
".",
"declared_fieldsets",
")",
"or",
"not",
"self",
".",
"base_fieldsets",
":",
"return",
"super",
"(",
"PolymorphicChildModelAdmin",
",",
"self",
")",
".",
"get_fieldsets",
"(",
"request",
",",
"obj",
")",
"other_fields",
"=",
"self",
".",
"get_subclass_fields",
"(",
"request",
",",
"obj",
")",
"if",
"other_fields",
":",
"return",
"(",
"(",
"self",
".",
"extra_fieldset_title",
",",
"{",
"'fields'",
":",
"other_fields",
"}",
")",
",",
")",
"+",
"self",
".",
"base_fieldsets",
"else",
":",
"return",
"self",
".",
"base_fieldsets"
] | Override polymorphic default to put the subclass-specific fields first | [
"Override",
"polymorphic",
"default",
"to",
"put",
"the",
"subclass",
"-",
"specific",
"fields",
"first"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/admin.py#L427-L441 |
3,558 | django-danceschool/django-danceschool | danceschool/core/management/commands/setupschool.py | Command.pattern_input | def pattern_input(self, question, message='Invalid entry', pattern='^[a-zA-Z0-9_ ]+$', default='',required=True):
'''
Method for input disallowing special characters, with optionally
specifiable regex pattern and error message.
'''
result = ''
requiredFlag = True
while (not result and requiredFlag):
result = input('%s: ' % question)
if result and pattern and not re.match(pattern, result):
self.stdout.write(self.style.ERROR(message))
result = ''
elif not result and default:
# Return default for fields with default
return default
elif not result and required:
# Ask again for required fields
self.stdout.write(self.style.ERROR('Answer is required.'))
elif not required:
# No need to re-ask for non-required fields
requiredFlag = False
return result | python | def pattern_input(self, question, message='Invalid entry', pattern='^[a-zA-Z0-9_ ]+$', default='',required=True):
'''
Method for input disallowing special characters, with optionally
specifiable regex pattern and error message.
'''
result = ''
requiredFlag = True
while (not result and requiredFlag):
result = input('%s: ' % question)
if result and pattern and not re.match(pattern, result):
self.stdout.write(self.style.ERROR(message))
result = ''
elif not result and default:
# Return default for fields with default
return default
elif not result and required:
# Ask again for required fields
self.stdout.write(self.style.ERROR('Answer is required.'))
elif not required:
# No need to re-ask for non-required fields
requiredFlag = False
return result | [
"def",
"pattern_input",
"(",
"self",
",",
"question",
",",
"message",
"=",
"'Invalid entry'",
",",
"pattern",
"=",
"'^[a-zA-Z0-9_ ]+$'",
",",
"default",
"=",
"''",
",",
"required",
"=",
"True",
")",
":",
"result",
"=",
"''",
"requiredFlag",
"=",
"True",
"while",
"(",
"not",
"result",
"and",
"requiredFlag",
")",
":",
"result",
"=",
"input",
"(",
"'%s: '",
"%",
"question",
")",
"if",
"result",
"and",
"pattern",
"and",
"not",
"re",
".",
"match",
"(",
"pattern",
",",
"result",
")",
":",
"self",
".",
"stdout",
".",
"write",
"(",
"self",
".",
"style",
".",
"ERROR",
"(",
"message",
")",
")",
"result",
"=",
"''",
"elif",
"not",
"result",
"and",
"default",
":",
"# Return default for fields with default",
"return",
"default",
"elif",
"not",
"result",
"and",
"required",
":",
"# Ask again for required fields",
"self",
".",
"stdout",
".",
"write",
"(",
"self",
".",
"style",
".",
"ERROR",
"(",
"'Answer is required.'",
")",
")",
"elif",
"not",
"required",
":",
"# No need to re-ask for non-required fields",
"requiredFlag",
"=",
"False",
"return",
"result"
] | Method for input disallowing special characters, with optionally
specifiable regex pattern and error message. | [
"Method",
"for",
"input",
"disallowing",
"special",
"characters",
"with",
"optionally",
"specifiable",
"regex",
"pattern",
"and",
"error",
"message",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/management/commands/setupschool.py#L36-L58 |
3,559 | django-danceschool/django-danceschool | danceschool/core/management/commands/setupschool.py | Command.float_input | def float_input(self, question, message='Invalid entry', default=None, required=True):
'''
Method for floating point inputs with optionally specifiable error message.
'''
float_result = None
requiredFlag = True
while (float_result is None and requiredFlag):
result = input('%s: ' % question)
if not result and not required:
float_result = None
requiredFlag = False
if not result and default:
float_result = default
if float_result is None and requiredFlag:
try:
float_result = float(result)
except ValueError:
self.stdout.write(self.style.ERROR(message))
float_result = None
return float_result | python | def float_input(self, question, message='Invalid entry', default=None, required=True):
'''
Method for floating point inputs with optionally specifiable error message.
'''
float_result = None
requiredFlag = True
while (float_result is None and requiredFlag):
result = input('%s: ' % question)
if not result and not required:
float_result = None
requiredFlag = False
if not result and default:
float_result = default
if float_result is None and requiredFlag:
try:
float_result = float(result)
except ValueError:
self.stdout.write(self.style.ERROR(message))
float_result = None
return float_result | [
"def",
"float_input",
"(",
"self",
",",
"question",
",",
"message",
"=",
"'Invalid entry'",
",",
"default",
"=",
"None",
",",
"required",
"=",
"True",
")",
":",
"float_result",
"=",
"None",
"requiredFlag",
"=",
"True",
"while",
"(",
"float_result",
"is",
"None",
"and",
"requiredFlag",
")",
":",
"result",
"=",
"input",
"(",
"'%s: '",
"%",
"question",
")",
"if",
"not",
"result",
"and",
"not",
"required",
":",
"float_result",
"=",
"None",
"requiredFlag",
"=",
"False",
"if",
"not",
"result",
"and",
"default",
":",
"float_result",
"=",
"default",
"if",
"float_result",
"is",
"None",
"and",
"requiredFlag",
":",
"try",
":",
"float_result",
"=",
"float",
"(",
"result",
")",
"except",
"ValueError",
":",
"self",
".",
"stdout",
".",
"write",
"(",
"self",
".",
"style",
".",
"ERROR",
"(",
"message",
")",
")",
"float_result",
"=",
"None",
"return",
"float_result"
] | Method for floating point inputs with optionally specifiable error message. | [
"Method",
"for",
"floating",
"point",
"inputs",
"with",
"optionally",
"specifiable",
"error",
"message",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/management/commands/setupschool.py#L60-L81 |
3,560 | django-danceschool/django-danceschool | danceschool/core/utils/timezone.py | ensure_timezone | def ensure_timezone(dateTime,timeZone=None):
'''
Since this project is designed to be used in both time-zone aware
and naive environments, this utility just returns a datetime as either
aware or naive depending on whether time zone support is enabled.
'''
if is_aware(dateTime) and not getattr(settings,'USE_TZ',False):
return make_naive(dateTime,timezone=timeZone)
if is_naive(dateTime) and getattr(settings,'USE_TZ',False):
return make_aware(dateTime,timezone=timeZone)
# If neither condition is met, then we can return what was passed
return dateTime | python | def ensure_timezone(dateTime,timeZone=None):
'''
Since this project is designed to be used in both time-zone aware
and naive environments, this utility just returns a datetime as either
aware or naive depending on whether time zone support is enabled.
'''
if is_aware(dateTime) and not getattr(settings,'USE_TZ',False):
return make_naive(dateTime,timezone=timeZone)
if is_naive(dateTime) and getattr(settings,'USE_TZ',False):
return make_aware(dateTime,timezone=timeZone)
# If neither condition is met, then we can return what was passed
return dateTime | [
"def",
"ensure_timezone",
"(",
"dateTime",
",",
"timeZone",
"=",
"None",
")",
":",
"if",
"is_aware",
"(",
"dateTime",
")",
"and",
"not",
"getattr",
"(",
"settings",
",",
"'USE_TZ'",
",",
"False",
")",
":",
"return",
"make_naive",
"(",
"dateTime",
",",
"timezone",
"=",
"timeZone",
")",
"if",
"is_naive",
"(",
"dateTime",
")",
"and",
"getattr",
"(",
"settings",
",",
"'USE_TZ'",
",",
"False",
")",
":",
"return",
"make_aware",
"(",
"dateTime",
",",
"timezone",
"=",
"timeZone",
")",
"# If neither condition is met, then we can return what was passed\r",
"return",
"dateTime"
] | Since this project is designed to be used in both time-zone aware
and naive environments, this utility just returns a datetime as either
aware or naive depending on whether time zone support is enabled. | [
"Since",
"this",
"project",
"is",
"designed",
"to",
"be",
"used",
"in",
"both",
"time",
"-",
"zone",
"aware",
"and",
"naive",
"environments",
"this",
"utility",
"just",
"returns",
"a",
"datetime",
"as",
"either",
"aware",
"or",
"naive",
"depending",
"on",
"whether",
"time",
"zone",
"support",
"is",
"enabled",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/utils/timezone.py#L5-L17 |
3,561 | django-danceschool/django-danceschool | danceschool/financial/migrations/0012_auto_20181216_1615.py | update_payTo | def update_payTo(apps, schema_editor):
'''
With the new TransactionParty model, the senders and recipients of financial
transactions are held in one place. So, we need to loop through old ExpenseItems,
RevenueItems, and GenericRepeatedExpense and move their old party references
to the new party model.
'''
TransactionParty = apps.get_model('financial', 'TransactionParty')
ExpenseItem = apps.get_model('financial', 'ExpenseItem')
RevenueItem = apps.get_model('financial', 'RevenueItem')
GenericRepeatedExpense = apps.get_model('financial', 'GenericRepeatedExpense')
# First, update expense items and Generic repeated expense rules
for item in chain(
ExpenseItem.objects.filter(
Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False)
),
GenericRepeatedExpense.objects.filter(
Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False)
),
):
if getattr(item, 'payToUser', None):
party = TransactionParty.objects.get_or_create(
user=item.payToUser,
defaults={
'name': getFullName(item.payToUser),
'staffMember': getattr(item.payToUser, 'staffmember', None),
}
)[0]
elif getattr(item, 'payToLocation', None):
party = TransactionParty.objects.get_or_create(
location=item.payToLocation,
defaults={
'name': item.payToLocation.name,
}
)[0]
elif getattr(item, 'payToName', None):
party = createPartyFromName(apps, item.payToName)
item.payTo = party
item.save()
# Finally, update revenue items
for item in RevenueItem.objects.filter(
Q(receivedFromName__isnull=False)
):
party = createPartyFromName(apps, item.receivedFromName)
item.receivedFrom = party
item.save() | python | def update_payTo(apps, schema_editor):
'''
With the new TransactionParty model, the senders and recipients of financial
transactions are held in one place. So, we need to loop through old ExpenseItems,
RevenueItems, and GenericRepeatedExpense and move their old party references
to the new party model.
'''
TransactionParty = apps.get_model('financial', 'TransactionParty')
ExpenseItem = apps.get_model('financial', 'ExpenseItem')
RevenueItem = apps.get_model('financial', 'RevenueItem')
GenericRepeatedExpense = apps.get_model('financial', 'GenericRepeatedExpense')
# First, update expense items and Generic repeated expense rules
for item in chain(
ExpenseItem.objects.filter(
Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False)
),
GenericRepeatedExpense.objects.filter(
Q(payToUser__isnull=False) | Q(payToLocation__isnull=False) | Q(payToName__isnull=False)
),
):
if getattr(item, 'payToUser', None):
party = TransactionParty.objects.get_or_create(
user=item.payToUser,
defaults={
'name': getFullName(item.payToUser),
'staffMember': getattr(item.payToUser, 'staffmember', None),
}
)[0]
elif getattr(item, 'payToLocation', None):
party = TransactionParty.objects.get_or_create(
location=item.payToLocation,
defaults={
'name': item.payToLocation.name,
}
)[0]
elif getattr(item, 'payToName', None):
party = createPartyFromName(apps, item.payToName)
item.payTo = party
item.save()
# Finally, update revenue items
for item in RevenueItem.objects.filter(
Q(receivedFromName__isnull=False)
):
party = createPartyFromName(apps, item.receivedFromName)
item.receivedFrom = party
item.save() | [
"def",
"update_payTo",
"(",
"apps",
",",
"schema_editor",
")",
":",
"TransactionParty",
"=",
"apps",
".",
"get_model",
"(",
"'financial'",
",",
"'TransactionParty'",
")",
"ExpenseItem",
"=",
"apps",
".",
"get_model",
"(",
"'financial'",
",",
"'ExpenseItem'",
")",
"RevenueItem",
"=",
"apps",
".",
"get_model",
"(",
"'financial'",
",",
"'RevenueItem'",
")",
"GenericRepeatedExpense",
"=",
"apps",
".",
"get_model",
"(",
"'financial'",
",",
"'GenericRepeatedExpense'",
")",
"# First, update expense items and Generic repeated expense rules",
"for",
"item",
"in",
"chain",
"(",
"ExpenseItem",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"payToUser__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"payToLocation__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"payToName__isnull",
"=",
"False",
")",
")",
",",
"GenericRepeatedExpense",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"payToUser__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"payToLocation__isnull",
"=",
"False",
")",
"|",
"Q",
"(",
"payToName__isnull",
"=",
"False",
")",
")",
",",
")",
":",
"if",
"getattr",
"(",
"item",
",",
"'payToUser'",
",",
"None",
")",
":",
"party",
"=",
"TransactionParty",
".",
"objects",
".",
"get_or_create",
"(",
"user",
"=",
"item",
".",
"payToUser",
",",
"defaults",
"=",
"{",
"'name'",
":",
"getFullName",
"(",
"item",
".",
"payToUser",
")",
",",
"'staffMember'",
":",
"getattr",
"(",
"item",
".",
"payToUser",
",",
"'staffmember'",
",",
"None",
")",
",",
"}",
")",
"[",
"0",
"]",
"elif",
"getattr",
"(",
"item",
",",
"'payToLocation'",
",",
"None",
")",
":",
"party",
"=",
"TransactionParty",
".",
"objects",
".",
"get_or_create",
"(",
"location",
"=",
"item",
".",
"payToLocation",
",",
"defaults",
"=",
"{",
"'name'",
":",
"item",
".",
"payToLocation",
".",
"name",
",",
"}",
")",
"[",
"0",
"]",
"elif",
"getattr",
"(",
"item",
",",
"'payToName'",
",",
"None",
")",
":",
"party",
"=",
"createPartyFromName",
"(",
"apps",
",",
"item",
".",
"payToName",
")",
"item",
".",
"payTo",
"=",
"party",
"item",
".",
"save",
"(",
")",
"# Finally, update revenue items",
"for",
"item",
"in",
"RevenueItem",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"receivedFromName__isnull",
"=",
"False",
")",
")",
":",
"party",
"=",
"createPartyFromName",
"(",
"apps",
",",
"item",
".",
"receivedFromName",
")",
"item",
".",
"receivedFrom",
"=",
"party",
"item",
".",
"save",
"(",
")"
] | With the new TransactionParty model, the senders and recipients of financial
transactions are held in one place. So, we need to loop through old ExpenseItems,
RevenueItems, and GenericRepeatedExpense and move their old party references
to the new party model. | [
"With",
"the",
"new",
"TransactionParty",
"model",
"the",
"senders",
"and",
"recipients",
"of",
"financial",
"transactions",
"are",
"held",
"in",
"one",
"place",
".",
"So",
"we",
"need",
"to",
"loop",
"through",
"old",
"ExpenseItems",
"RevenueItems",
"and",
"GenericRepeatedExpense",
"and",
"move",
"their",
"old",
"party",
"references",
"to",
"the",
"new",
"party",
"model",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/migrations/0012_auto_20181216_1615.py#L71-L119 |
3,562 | django-danceschool/django-danceschool | danceschool/discounts/migrations/0005_auto_20170830_1159.py | create_initial_category | def create_initial_category(apps, schema_editor):
''' Create a default category for existing discounts '''
DiscountCategory = apps.get_model('discounts','DiscountCategory')
db_alias = schema_editor.connection.alias
DiscountCategory.objects.using(db_alias).create(
id=1,name='General Discounts',order=1,cannotCombine=False
) | python | def create_initial_category(apps, schema_editor):
''' Create a default category for existing discounts '''
DiscountCategory = apps.get_model('discounts','DiscountCategory')
db_alias = schema_editor.connection.alias
DiscountCategory.objects.using(db_alias).create(
id=1,name='General Discounts',order=1,cannotCombine=False
) | [
"def",
"create_initial_category",
"(",
"apps",
",",
"schema_editor",
")",
":",
"DiscountCategory",
"=",
"apps",
".",
"get_model",
"(",
"'discounts'",
",",
"'DiscountCategory'",
")",
"db_alias",
"=",
"schema_editor",
".",
"connection",
".",
"alias",
"DiscountCategory",
".",
"objects",
".",
"using",
"(",
"db_alias",
")",
".",
"create",
"(",
"id",
"=",
"1",
",",
"name",
"=",
"'General Discounts'",
",",
"order",
"=",
"1",
",",
"cannotCombine",
"=",
"False",
")"
] | Create a default category for existing discounts | [
"Create",
"a",
"default",
"category",
"for",
"existing",
"discounts"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/discounts/migrations/0005_auto_20170830_1159.py#L10-L16 |
3,563 | django-danceschool/django-danceschool | danceschool/core/classreg.py | ClassRegistrationView.dispatch | def dispatch(self, request, *args, **kwargs):
'''
Check that registration is online before proceeding. If this is a POST
request, determine whether the response should be provided in JSON form.
'''
self.returnJson = (request.POST.get('json') in ['true', True])
regonline = getConstant('registration__registrationEnabled')
if not regonline:
returnUrl = reverse('registrationOffline')
if self.returnJson:
return JsonResponse({'status': 'success', 'redirect': returnUrl})
return HttpResponseRedirect(returnUrl)
return super().dispatch(request, *args, **kwargs) | python | def dispatch(self, request, *args, **kwargs):
'''
Check that registration is online before proceeding. If this is a POST
request, determine whether the response should be provided in JSON form.
'''
self.returnJson = (request.POST.get('json') in ['true', True])
regonline = getConstant('registration__registrationEnabled')
if not regonline:
returnUrl = reverse('registrationOffline')
if self.returnJson:
return JsonResponse({'status': 'success', 'redirect': returnUrl})
return HttpResponseRedirect(returnUrl)
return super().dispatch(request, *args, **kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"self",
".",
"returnJson",
"=",
"(",
"request",
".",
"POST",
".",
"get",
"(",
"'json'",
")",
"in",
"[",
"'true'",
",",
"True",
"]",
")",
"regonline",
"=",
"getConstant",
"(",
"'registration__registrationEnabled'",
")",
"if",
"not",
"regonline",
":",
"returnUrl",
"=",
"reverse",
"(",
"'registrationOffline'",
")",
"if",
"self",
".",
"returnJson",
":",
"return",
"JsonResponse",
"(",
"{",
"'status'",
":",
"'success'",
",",
"'redirect'",
":",
"returnUrl",
"}",
")",
"return",
"HttpResponseRedirect",
"(",
"returnUrl",
")",
"return",
"super",
"(",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Check that registration is online before proceeding. If this is a POST
request, determine whether the response should be provided in JSON form. | [
"Check",
"that",
"registration",
"is",
"online",
"before",
"proceeding",
".",
"If",
"this",
"is",
"a",
"POST",
"request",
"determine",
"whether",
"the",
"response",
"should",
"be",
"provided",
"in",
"JSON",
"form",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L65-L80 |
3,564 | django-danceschool/django-danceschool | danceschool/core/classreg.py | ClassRegistrationView.get_context_data | def get_context_data(self,**kwargs):
''' Add the event and series listing data '''
context = self.get_listing()
context['showDescriptionRule'] = getConstant('registration__showDescriptionRule') or 'all'
context.update(kwargs)
# Update the site session data so that registration processes know to send return links to
# the registration page. set_return_page() is in SiteHistoryMixin.
self.set_return_page('registration',_('Registration'))
return super(ClassRegistrationView,self).get_context_data(**context) | python | def get_context_data(self,**kwargs):
''' Add the event and series listing data '''
context = self.get_listing()
context['showDescriptionRule'] = getConstant('registration__showDescriptionRule') or 'all'
context.update(kwargs)
# Update the site session data so that registration processes know to send return links to
# the registration page. set_return_page() is in SiteHistoryMixin.
self.set_return_page('registration',_('Registration'))
return super(ClassRegistrationView,self).get_context_data(**context) | [
"def",
"get_context_data",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"context",
"=",
"self",
".",
"get_listing",
"(",
")",
"context",
"[",
"'showDescriptionRule'",
"]",
"=",
"getConstant",
"(",
"'registration__showDescriptionRule'",
")",
"or",
"'all'",
"context",
".",
"update",
"(",
"kwargs",
")",
"# Update the site session data so that registration processes know to send return links to",
"# the registration page. set_return_page() is in SiteHistoryMixin.",
"self",
".",
"set_return_page",
"(",
"'registration'",
",",
"_",
"(",
"'Registration'",
")",
")",
"return",
"super",
"(",
"ClassRegistrationView",
",",
"self",
")",
".",
"get_context_data",
"(",
"*",
"*",
"context",
")"
] | Add the event and series listing data | [
"Add",
"the",
"event",
"and",
"series",
"listing",
"data"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L82-L92 |
3,565 | django-danceschool/django-danceschool | danceschool/core/classreg.py | ClassRegistrationView.get_form_kwargs | def get_form_kwargs(self, **kwargs):
''' Tell the form which fields to render '''
kwargs = super(ClassRegistrationView, self).get_form_kwargs(**kwargs)
kwargs['user'] = self.request.user if hasattr(self.request,'user') else None
listing = self.get_listing()
kwargs.update({
'openEvents': listing['openEvents'],
'closedEvents': listing['closedEvents'],
})
return kwargs | python | def get_form_kwargs(self, **kwargs):
''' Tell the form which fields to render '''
kwargs = super(ClassRegistrationView, self).get_form_kwargs(**kwargs)
kwargs['user'] = self.request.user if hasattr(self.request,'user') else None
listing = self.get_listing()
kwargs.update({
'openEvents': listing['openEvents'],
'closedEvents': listing['closedEvents'],
})
return kwargs | [
"def",
"get_form_kwargs",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"kwargs",
"=",
"super",
"(",
"ClassRegistrationView",
",",
"self",
")",
".",
"get_form_kwargs",
"(",
"*",
"*",
"kwargs",
")",
"kwargs",
"[",
"'user'",
"]",
"=",
"self",
".",
"request",
".",
"user",
"if",
"hasattr",
"(",
"self",
".",
"request",
",",
"'user'",
")",
"else",
"None",
"listing",
"=",
"self",
".",
"get_listing",
"(",
")",
"kwargs",
".",
"update",
"(",
"{",
"'openEvents'",
":",
"listing",
"[",
"'openEvents'",
"]",
",",
"'closedEvents'",
":",
"listing",
"[",
"'closedEvents'",
"]",
",",
"}",
")",
"return",
"kwargs"
] | Tell the form which fields to render | [
"Tell",
"the",
"form",
"which",
"fields",
"to",
"render"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L94-L105 |
3,566 | django-danceschool/django-danceschool | danceschool/core/classreg.py | ClassRegistrationView.get_allEvents | def get_allEvents(self):
'''
Splitting this method out to get the set of events to filter allows
one to subclass for different subsets of events without copying other
logic
'''
if not hasattr(self,'allEvents'):
timeFilters = {'endTime__gte': timezone.now()}
if getConstant('registration__displayLimitDays') or 0 > 0:
timeFilters['startTime__lte'] = timezone.now() + timedelta(days=getConstant('registration__displayLimitDays'))
# Get the Event listing here to avoid duplicate queries
self.allEvents = Event.objects.filter(
**timeFilters
).filter(
Q(instance_of=PublicEvent) |
Q(instance_of=Series)
).annotate(
**self.get_annotations()
).exclude(
Q(status=Event.RegStatus.hidden) |
Q(status=Event.RegStatus.regHidden) |
Q(status=Event.RegStatus.linkOnly)
).order_by(*self.get_ordering())
return self.allEvents | python | def get_allEvents(self):
'''
Splitting this method out to get the set of events to filter allows
one to subclass for different subsets of events without copying other
logic
'''
if not hasattr(self,'allEvents'):
timeFilters = {'endTime__gte': timezone.now()}
if getConstant('registration__displayLimitDays') or 0 > 0:
timeFilters['startTime__lte'] = timezone.now() + timedelta(days=getConstant('registration__displayLimitDays'))
# Get the Event listing here to avoid duplicate queries
self.allEvents = Event.objects.filter(
**timeFilters
).filter(
Q(instance_of=PublicEvent) |
Q(instance_of=Series)
).annotate(
**self.get_annotations()
).exclude(
Q(status=Event.RegStatus.hidden) |
Q(status=Event.RegStatus.regHidden) |
Q(status=Event.RegStatus.linkOnly)
).order_by(*self.get_ordering())
return self.allEvents | [
"def",
"get_allEvents",
"(",
"self",
")",
":",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'allEvents'",
")",
":",
"timeFilters",
"=",
"{",
"'endTime__gte'",
":",
"timezone",
".",
"now",
"(",
")",
"}",
"if",
"getConstant",
"(",
"'registration__displayLimitDays'",
")",
"or",
"0",
">",
"0",
":",
"timeFilters",
"[",
"'startTime__lte'",
"]",
"=",
"timezone",
".",
"now",
"(",
")",
"+",
"timedelta",
"(",
"days",
"=",
"getConstant",
"(",
"'registration__displayLimitDays'",
")",
")",
"# Get the Event listing here to avoid duplicate queries",
"self",
".",
"allEvents",
"=",
"Event",
".",
"objects",
".",
"filter",
"(",
"*",
"*",
"timeFilters",
")",
".",
"filter",
"(",
"Q",
"(",
"instance_of",
"=",
"PublicEvent",
")",
"|",
"Q",
"(",
"instance_of",
"=",
"Series",
")",
")",
".",
"annotate",
"(",
"*",
"*",
"self",
".",
"get_annotations",
"(",
")",
")",
".",
"exclude",
"(",
"Q",
"(",
"status",
"=",
"Event",
".",
"RegStatus",
".",
"hidden",
")",
"|",
"Q",
"(",
"status",
"=",
"Event",
".",
"RegStatus",
".",
"regHidden",
")",
"|",
"Q",
"(",
"status",
"=",
"Event",
".",
"RegStatus",
".",
"linkOnly",
")",
")",
".",
"order_by",
"(",
"*",
"self",
".",
"get_ordering",
"(",
")",
")",
"return",
"self",
".",
"allEvents"
] | Splitting this method out to get the set of events to filter allows
one to subclass for different subsets of events without copying other
logic | [
"Splitting",
"this",
"method",
"out",
"to",
"get",
"the",
"set",
"of",
"events",
"to",
"filter",
"allows",
"one",
"to",
"subclass",
"for",
"different",
"subsets",
"of",
"events",
"without",
"copying",
"other",
"logic"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L228-L254 |
3,567 | django-danceschool/django-danceschool | danceschool/core/classreg.py | ClassRegistrationView.get_listing | def get_listing(self):
'''
This function gets all of the information that we need to either render or
validate the form. It is structured to avoid duplicate DB queries
'''
if not hasattr(self,'listing'):
allEvents = self.get_allEvents()
openEvents = allEvents.filter(registrationOpen=True)
closedEvents = allEvents.filter(registrationOpen=False)
publicEvents = allEvents.instance_of(PublicEvent)
allSeries = allEvents.instance_of(Series)
self.listing = {
'allEvents': allEvents,
'openEvents': openEvents,
'closedEvents': closedEvents,
'publicEvents': publicEvents,
'allSeries': allSeries,
'regOpenEvents': publicEvents.filter(registrationOpen=True).filter(
Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False)
),
'regClosedEvents': publicEvents.filter(registrationOpen=False).filter(
Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False)
),
'categorySeparateEvents': publicEvents.filter(
publicevent__category__separateOnRegistrationPage=True
).order_by('publicevent__category'),
'regOpenSeries': allSeries.filter(registrationOpen=True).filter(
Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False)
),
'regClosedSeries': allSeries.filter(registrationOpen=False).filter(
Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False)
),
'categorySeparateSeries': allSeries.filter(
series__category__separateOnRegistrationPage=True
).order_by('series__category'),
}
return self.listing | python | def get_listing(self):
'''
This function gets all of the information that we need to either render or
validate the form. It is structured to avoid duplicate DB queries
'''
if not hasattr(self,'listing'):
allEvents = self.get_allEvents()
openEvents = allEvents.filter(registrationOpen=True)
closedEvents = allEvents.filter(registrationOpen=False)
publicEvents = allEvents.instance_of(PublicEvent)
allSeries = allEvents.instance_of(Series)
self.listing = {
'allEvents': allEvents,
'openEvents': openEvents,
'closedEvents': closedEvents,
'publicEvents': publicEvents,
'allSeries': allSeries,
'regOpenEvents': publicEvents.filter(registrationOpen=True).filter(
Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False)
),
'regClosedEvents': publicEvents.filter(registrationOpen=False).filter(
Q(publicevent__category__isnull=True) | Q(publicevent__category__separateOnRegistrationPage=False)
),
'categorySeparateEvents': publicEvents.filter(
publicevent__category__separateOnRegistrationPage=True
).order_by('publicevent__category'),
'regOpenSeries': allSeries.filter(registrationOpen=True).filter(
Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False)
),
'regClosedSeries': allSeries.filter(registrationOpen=False).filter(
Q(series__category__isnull=True) | Q(series__category__separateOnRegistrationPage=False)
),
'categorySeparateSeries': allSeries.filter(
series__category__separateOnRegistrationPage=True
).order_by('series__category'),
}
return self.listing | [
"def",
"get_listing",
"(",
"self",
")",
":",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'listing'",
")",
":",
"allEvents",
"=",
"self",
".",
"get_allEvents",
"(",
")",
"openEvents",
"=",
"allEvents",
".",
"filter",
"(",
"registrationOpen",
"=",
"True",
")",
"closedEvents",
"=",
"allEvents",
".",
"filter",
"(",
"registrationOpen",
"=",
"False",
")",
"publicEvents",
"=",
"allEvents",
".",
"instance_of",
"(",
"PublicEvent",
")",
"allSeries",
"=",
"allEvents",
".",
"instance_of",
"(",
"Series",
")",
"self",
".",
"listing",
"=",
"{",
"'allEvents'",
":",
"allEvents",
",",
"'openEvents'",
":",
"openEvents",
",",
"'closedEvents'",
":",
"closedEvents",
",",
"'publicEvents'",
":",
"publicEvents",
",",
"'allSeries'",
":",
"allSeries",
",",
"'regOpenEvents'",
":",
"publicEvents",
".",
"filter",
"(",
"registrationOpen",
"=",
"True",
")",
".",
"filter",
"(",
"Q",
"(",
"publicevent__category__isnull",
"=",
"True",
")",
"|",
"Q",
"(",
"publicevent__category__separateOnRegistrationPage",
"=",
"False",
")",
")",
",",
"'regClosedEvents'",
":",
"publicEvents",
".",
"filter",
"(",
"registrationOpen",
"=",
"False",
")",
".",
"filter",
"(",
"Q",
"(",
"publicevent__category__isnull",
"=",
"True",
")",
"|",
"Q",
"(",
"publicevent__category__separateOnRegistrationPage",
"=",
"False",
")",
")",
",",
"'categorySeparateEvents'",
":",
"publicEvents",
".",
"filter",
"(",
"publicevent__category__separateOnRegistrationPage",
"=",
"True",
")",
".",
"order_by",
"(",
"'publicevent__category'",
")",
",",
"'regOpenSeries'",
":",
"allSeries",
".",
"filter",
"(",
"registrationOpen",
"=",
"True",
")",
".",
"filter",
"(",
"Q",
"(",
"series__category__isnull",
"=",
"True",
")",
"|",
"Q",
"(",
"series__category__separateOnRegistrationPage",
"=",
"False",
")",
")",
",",
"'regClosedSeries'",
":",
"allSeries",
".",
"filter",
"(",
"registrationOpen",
"=",
"False",
")",
".",
"filter",
"(",
"Q",
"(",
"series__category__isnull",
"=",
"True",
")",
"|",
"Q",
"(",
"series__category__separateOnRegistrationPage",
"=",
"False",
")",
")",
",",
"'categorySeparateSeries'",
":",
"allSeries",
".",
"filter",
"(",
"series__category__separateOnRegistrationPage",
"=",
"True",
")",
".",
"order_by",
"(",
"'series__category'",
")",
",",
"}",
"return",
"self",
".",
"listing"
] | This function gets all of the information that we need to either render or
validate the form. It is structured to avoid duplicate DB queries | [
"This",
"function",
"gets",
"all",
"of",
"the",
"information",
"that",
"we",
"need",
"to",
"either",
"render",
"or",
"validate",
"the",
"form",
".",
"It",
"is",
"structured",
"to",
"avoid",
"duplicate",
"DB",
"queries"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L256-L295 |
3,568 | django-danceschool/django-danceschool | danceschool/core/classreg.py | RegistrationSummaryView.dispatch | def dispatch(self,request,*args,**kwargs):
''' Always check that the temporary registration has not expired '''
regSession = self.request.session.get(REG_VALIDATION_STR,{})
if not regSession:
return HttpResponseRedirect(reverse('registration'))
try:
reg = TemporaryRegistration.objects.get(
id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId')
)
except ObjectDoesNotExist:
messages.error(request,_('Invalid registration identifier passed to summary view.'))
return HttpResponseRedirect(reverse('registration'))
expiry = parse_datetime(
self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''),
)
if not expiry or expiry < timezone.now():
messages.info(request,_('Your registration session has expired. Please try again.'))
return HttpResponseRedirect(reverse('registration'))
# If OK, pass the registration and proceed
kwargs.update({
'reg': reg,
})
return super(RegistrationSummaryView,self).dispatch(request, *args, **kwargs) | python | def dispatch(self,request,*args,**kwargs):
''' Always check that the temporary registration has not expired '''
regSession = self.request.session.get(REG_VALIDATION_STR,{})
if not regSession:
return HttpResponseRedirect(reverse('registration'))
try:
reg = TemporaryRegistration.objects.get(
id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId')
)
except ObjectDoesNotExist:
messages.error(request,_('Invalid registration identifier passed to summary view.'))
return HttpResponseRedirect(reverse('registration'))
expiry = parse_datetime(
self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''),
)
if not expiry or expiry < timezone.now():
messages.info(request,_('Your registration session has expired. Please try again.'))
return HttpResponseRedirect(reverse('registration'))
# If OK, pass the registration and proceed
kwargs.update({
'reg': reg,
})
return super(RegistrationSummaryView,self).dispatch(request, *args, **kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"regSession",
"=",
"self",
".",
"request",
".",
"session",
".",
"get",
"(",
"REG_VALIDATION_STR",
",",
"{",
"}",
")",
"if",
"not",
"regSession",
":",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"try",
":",
"reg",
"=",
"TemporaryRegistration",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
".",
"get",
"(",
"'temporaryRegistrationId'",
")",
")",
"except",
"ObjectDoesNotExist",
":",
"messages",
".",
"error",
"(",
"request",
",",
"_",
"(",
"'Invalid registration identifier passed to summary view.'",
")",
")",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"expiry",
"=",
"parse_datetime",
"(",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
".",
"get",
"(",
"'temporaryRegistrationExpiry'",
",",
"''",
")",
",",
")",
"if",
"not",
"expiry",
"or",
"expiry",
"<",
"timezone",
".",
"now",
"(",
")",
":",
"messages",
".",
"info",
"(",
"request",
",",
"_",
"(",
"'Your registration session has expired. Please try again.'",
")",
")",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"# If OK, pass the registration and proceed",
"kwargs",
".",
"update",
"(",
"{",
"'reg'",
":",
"reg",
",",
"}",
")",
"return",
"super",
"(",
"RegistrationSummaryView",
",",
"self",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Always check that the temporary registration has not expired | [
"Always",
"check",
"that",
"the",
"temporary",
"registration",
"has",
"not",
"expired"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L321-L347 |
3,569 | django-danceschool/django-danceschool | danceschool/core/classreg.py | RegistrationSummaryView.get_context_data | def get_context_data(self,**kwargs):
''' Pass the initial kwargs, then update with the needed registration info. '''
context_data = super(RegistrationSummaryView,self).get_context_data(**kwargs)
regSession = self.request.session[REG_VALIDATION_STR]
reg_id = regSession["temp_reg_id"]
reg = TemporaryRegistration.objects.get(id=reg_id)
discount_codes = regSession.get('discount_codes',None)
discount_amount = regSession.get('total_discount_amount',0)
voucher_names = regSession.get('voucher_names',[])
total_voucher_amount = regSession.get('total_voucher_amount',0)
addons = regSession.get('addons',[])
if reg.priceWithDiscount == 0:
# Create a new Invoice if one does not already exist.
new_invoice = Invoice.get_or_create_from_registration(reg,status=Invoice.PaymentStatus.paid)
new_invoice.processPayment(0,0,forceFinalize=True)
isFree = True
else:
isFree = False
context_data.update({
'registration': reg,
"totalPrice": reg.totalPrice,
'subtotal': reg.priceWithDiscount,
'taxes': reg.addTaxes,
"netPrice": reg.priceWithDiscountAndTaxes,
"addonItems": addons,
"discount_codes": discount_codes,
"discount_code_amount": discount_amount,
"voucher_names": voucher_names,
"total_voucher_amount": total_voucher_amount,
"total_discount_amount": discount_amount + total_voucher_amount,
"currencyCode": getConstant('general__currencyCode'),
'payAtDoor': reg.payAtDoor,
'is_free': isFree,
})
if self.request.user:
door_permission = self.request.user.has_perm('core.accept_door_payments')
invoice_permission = self.request.user.has_perm('core.send_invoices')
if door_permission or invoice_permission:
context_data['form'] = DoorAmountForm(
user=self.request.user,
doorPortion=door_permission,
invoicePortion=invoice_permission,
payerEmail=reg.email,
discountAmount=max(reg.totalPrice - reg.priceWithDiscount,0),
)
return context_data | python | def get_context_data(self,**kwargs):
''' Pass the initial kwargs, then update with the needed registration info. '''
context_data = super(RegistrationSummaryView,self).get_context_data(**kwargs)
regSession = self.request.session[REG_VALIDATION_STR]
reg_id = regSession["temp_reg_id"]
reg = TemporaryRegistration.objects.get(id=reg_id)
discount_codes = regSession.get('discount_codes',None)
discount_amount = regSession.get('total_discount_amount',0)
voucher_names = regSession.get('voucher_names',[])
total_voucher_amount = regSession.get('total_voucher_amount',0)
addons = regSession.get('addons',[])
if reg.priceWithDiscount == 0:
# Create a new Invoice if one does not already exist.
new_invoice = Invoice.get_or_create_from_registration(reg,status=Invoice.PaymentStatus.paid)
new_invoice.processPayment(0,0,forceFinalize=True)
isFree = True
else:
isFree = False
context_data.update({
'registration': reg,
"totalPrice": reg.totalPrice,
'subtotal': reg.priceWithDiscount,
'taxes': reg.addTaxes,
"netPrice": reg.priceWithDiscountAndTaxes,
"addonItems": addons,
"discount_codes": discount_codes,
"discount_code_amount": discount_amount,
"voucher_names": voucher_names,
"total_voucher_amount": total_voucher_amount,
"total_discount_amount": discount_amount + total_voucher_amount,
"currencyCode": getConstant('general__currencyCode'),
'payAtDoor': reg.payAtDoor,
'is_free': isFree,
})
if self.request.user:
door_permission = self.request.user.has_perm('core.accept_door_payments')
invoice_permission = self.request.user.has_perm('core.send_invoices')
if door_permission or invoice_permission:
context_data['form'] = DoorAmountForm(
user=self.request.user,
doorPortion=door_permission,
invoicePortion=invoice_permission,
payerEmail=reg.email,
discountAmount=max(reg.totalPrice - reg.priceWithDiscount,0),
)
return context_data | [
"def",
"get_context_data",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"context_data",
"=",
"super",
"(",
"RegistrationSummaryView",
",",
"self",
")",
".",
"get_context_data",
"(",
"*",
"*",
"kwargs",
")",
"regSession",
"=",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
"reg_id",
"=",
"regSession",
"[",
"\"temp_reg_id\"",
"]",
"reg",
"=",
"TemporaryRegistration",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"reg_id",
")",
"discount_codes",
"=",
"regSession",
".",
"get",
"(",
"'discount_codes'",
",",
"None",
")",
"discount_amount",
"=",
"regSession",
".",
"get",
"(",
"'total_discount_amount'",
",",
"0",
")",
"voucher_names",
"=",
"regSession",
".",
"get",
"(",
"'voucher_names'",
",",
"[",
"]",
")",
"total_voucher_amount",
"=",
"regSession",
".",
"get",
"(",
"'total_voucher_amount'",
",",
"0",
")",
"addons",
"=",
"regSession",
".",
"get",
"(",
"'addons'",
",",
"[",
"]",
")",
"if",
"reg",
".",
"priceWithDiscount",
"==",
"0",
":",
"# Create a new Invoice if one does not already exist.",
"new_invoice",
"=",
"Invoice",
".",
"get_or_create_from_registration",
"(",
"reg",
",",
"status",
"=",
"Invoice",
".",
"PaymentStatus",
".",
"paid",
")",
"new_invoice",
".",
"processPayment",
"(",
"0",
",",
"0",
",",
"forceFinalize",
"=",
"True",
")",
"isFree",
"=",
"True",
"else",
":",
"isFree",
"=",
"False",
"context_data",
".",
"update",
"(",
"{",
"'registration'",
":",
"reg",
",",
"\"totalPrice\"",
":",
"reg",
".",
"totalPrice",
",",
"'subtotal'",
":",
"reg",
".",
"priceWithDiscount",
",",
"'taxes'",
":",
"reg",
".",
"addTaxes",
",",
"\"netPrice\"",
":",
"reg",
".",
"priceWithDiscountAndTaxes",
",",
"\"addonItems\"",
":",
"addons",
",",
"\"discount_codes\"",
":",
"discount_codes",
",",
"\"discount_code_amount\"",
":",
"discount_amount",
",",
"\"voucher_names\"",
":",
"voucher_names",
",",
"\"total_voucher_amount\"",
":",
"total_voucher_amount",
",",
"\"total_discount_amount\"",
":",
"discount_amount",
"+",
"total_voucher_amount",
",",
"\"currencyCode\"",
":",
"getConstant",
"(",
"'general__currencyCode'",
")",
",",
"'payAtDoor'",
":",
"reg",
".",
"payAtDoor",
",",
"'is_free'",
":",
"isFree",
",",
"}",
")",
"if",
"self",
".",
"request",
".",
"user",
":",
"door_permission",
"=",
"self",
".",
"request",
".",
"user",
".",
"has_perm",
"(",
"'core.accept_door_payments'",
")",
"invoice_permission",
"=",
"self",
".",
"request",
".",
"user",
".",
"has_perm",
"(",
"'core.send_invoices'",
")",
"if",
"door_permission",
"or",
"invoice_permission",
":",
"context_data",
"[",
"'form'",
"]",
"=",
"DoorAmountForm",
"(",
"user",
"=",
"self",
".",
"request",
".",
"user",
",",
"doorPortion",
"=",
"door_permission",
",",
"invoicePortion",
"=",
"invoice_permission",
",",
"payerEmail",
"=",
"reg",
".",
"email",
",",
"discountAmount",
"=",
"max",
"(",
"reg",
".",
"totalPrice",
"-",
"reg",
".",
"priceWithDiscount",
",",
"0",
")",
",",
")",
"return",
"context_data"
] | Pass the initial kwargs, then update with the needed registration info. | [
"Pass",
"the",
"initial",
"kwargs",
"then",
"update",
"with",
"the",
"needed",
"registration",
"info",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L440-L492 |
3,570 | django-danceschool/django-danceschool | danceschool/core/classreg.py | StudentInfoView.dispatch | def dispatch(self, request, *args, **kwargs):
'''
Require session data to be set to proceed, otherwise go back to step 1.
Because they have the same expiration date, this also implies that the
TemporaryRegistration object is not yet expired.
'''
if REG_VALIDATION_STR not in request.session:
return HttpResponseRedirect(reverse('registration'))
try:
self.temporaryRegistration = TemporaryRegistration.objects.get(
id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId')
)
except ObjectDoesNotExist:
messages.error(request,_('Invalid registration identifier passed to sign-up form.'))
return HttpResponseRedirect(reverse('registration'))
expiry = parse_datetime(
self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''),
)
if not expiry or expiry < timezone.now():
messages.info(request,_('Your registration session has expired. Please try again.'))
return HttpResponseRedirect(reverse('registration'))
return super(StudentInfoView,self).dispatch(request,*args,**kwargs) | python | def dispatch(self, request, *args, **kwargs):
'''
Require session data to be set to proceed, otherwise go back to step 1.
Because they have the same expiration date, this also implies that the
TemporaryRegistration object is not yet expired.
'''
if REG_VALIDATION_STR not in request.session:
return HttpResponseRedirect(reverse('registration'))
try:
self.temporaryRegistration = TemporaryRegistration.objects.get(
id=self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationId')
)
except ObjectDoesNotExist:
messages.error(request,_('Invalid registration identifier passed to sign-up form.'))
return HttpResponseRedirect(reverse('registration'))
expiry = parse_datetime(
self.request.session[REG_VALIDATION_STR].get('temporaryRegistrationExpiry',''),
)
if not expiry or expiry < timezone.now():
messages.info(request,_('Your registration session has expired. Please try again.'))
return HttpResponseRedirect(reverse('registration'))
return super(StudentInfoView,self).dispatch(request,*args,**kwargs) | [
"def",
"dispatch",
"(",
"self",
",",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"REG_VALIDATION_STR",
"not",
"in",
"request",
".",
"session",
":",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"try",
":",
"self",
".",
"temporaryRegistration",
"=",
"TemporaryRegistration",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
".",
"get",
"(",
"'temporaryRegistrationId'",
")",
")",
"except",
"ObjectDoesNotExist",
":",
"messages",
".",
"error",
"(",
"request",
",",
"_",
"(",
"'Invalid registration identifier passed to sign-up form.'",
")",
")",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"expiry",
"=",
"parse_datetime",
"(",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
".",
"get",
"(",
"'temporaryRegistrationExpiry'",
",",
"''",
")",
",",
")",
"if",
"not",
"expiry",
"or",
"expiry",
"<",
"timezone",
".",
"now",
"(",
")",
":",
"messages",
".",
"info",
"(",
"request",
",",
"_",
"(",
"'Your registration session has expired. Please try again.'",
")",
")",
"return",
"HttpResponseRedirect",
"(",
"reverse",
"(",
"'registration'",
")",
")",
"return",
"super",
"(",
"StudentInfoView",
",",
"self",
")",
".",
"dispatch",
"(",
"request",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Require session data to be set to proceed, otherwise go back to step 1.
Because they have the same expiration date, this also implies that the
TemporaryRegistration object is not yet expired. | [
"Require",
"session",
"data",
"to",
"be",
"set",
"to",
"proceed",
"otherwise",
"go",
"back",
"to",
"step",
"1",
".",
"Because",
"they",
"have",
"the",
"same",
"expiration",
"date",
"this",
"also",
"implies",
"that",
"the",
"TemporaryRegistration",
"object",
"is",
"not",
"yet",
"expired",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L557-L581 |
3,571 | django-danceschool/django-danceschool | danceschool/core/classreg.py | StudentInfoView.form_valid | def form_valid(self,form):
'''
Even if this form is valid, the handlers for this form may have added messages
to the request. In that case, then the page should be handled as if the form
were invalid. Otherwise, update the session data with the form data and then
move to the next view
'''
reg = self.temporaryRegistration
# The session expires after a period of inactivity that is specified in preferences.
expiry = timezone.now() + timedelta(minutes=getConstant('registration__sessionExpiryMinutes'))
self.request.session[REG_VALIDATION_STR]["temporaryRegistrationExpiry"] = \
expiry.strftime('%Y-%m-%dT%H:%M:%S%z')
self.request.session.modified = True
# Update the expiration date for this registration, and pass in the data from
# this form.
reg.expirationDate = expiry
reg.firstName = form.cleaned_data.pop('firstName')
reg.lastName = form.cleaned_data.pop('lastName')
reg.email = form.cleaned_data.pop('email')
reg.phone = form.cleaned_data.pop('phone', None)
reg.student = form.cleaned_data.pop('student',False)
reg.comments = form.cleaned_data.pop('comments',None)
reg.howHeardAboutUs = form.cleaned_data.pop('howHeardAboutUs',None)
# Anything else in the form goes to the TemporaryRegistration data.
reg.data.update(form.cleaned_data)
reg.save()
# This signal (formerly the post_temporary_registration signal) allows
# vouchers to be applied temporarily, and it can be used for other tasks
post_student_info.send(sender=StudentInfoView,registration=reg)
return HttpResponseRedirect(self.get_success_url()) | python | def form_valid(self,form):
'''
Even if this form is valid, the handlers for this form may have added messages
to the request. In that case, then the page should be handled as if the form
were invalid. Otherwise, update the session data with the form data and then
move to the next view
'''
reg = self.temporaryRegistration
# The session expires after a period of inactivity that is specified in preferences.
expiry = timezone.now() + timedelta(minutes=getConstant('registration__sessionExpiryMinutes'))
self.request.session[REG_VALIDATION_STR]["temporaryRegistrationExpiry"] = \
expiry.strftime('%Y-%m-%dT%H:%M:%S%z')
self.request.session.modified = True
# Update the expiration date for this registration, and pass in the data from
# this form.
reg.expirationDate = expiry
reg.firstName = form.cleaned_data.pop('firstName')
reg.lastName = form.cleaned_data.pop('lastName')
reg.email = form.cleaned_data.pop('email')
reg.phone = form.cleaned_data.pop('phone', None)
reg.student = form.cleaned_data.pop('student',False)
reg.comments = form.cleaned_data.pop('comments',None)
reg.howHeardAboutUs = form.cleaned_data.pop('howHeardAboutUs',None)
# Anything else in the form goes to the TemporaryRegistration data.
reg.data.update(form.cleaned_data)
reg.save()
# This signal (formerly the post_temporary_registration signal) allows
# vouchers to be applied temporarily, and it can be used for other tasks
post_student_info.send(sender=StudentInfoView,registration=reg)
return HttpResponseRedirect(self.get_success_url()) | [
"def",
"form_valid",
"(",
"self",
",",
"form",
")",
":",
"reg",
"=",
"self",
".",
"temporaryRegistration",
"# The session expires after a period of inactivity that is specified in preferences.",
"expiry",
"=",
"timezone",
".",
"now",
"(",
")",
"+",
"timedelta",
"(",
"minutes",
"=",
"getConstant",
"(",
"'registration__sessionExpiryMinutes'",
")",
")",
"self",
".",
"request",
".",
"session",
"[",
"REG_VALIDATION_STR",
"]",
"[",
"\"temporaryRegistrationExpiry\"",
"]",
"=",
"expiry",
".",
"strftime",
"(",
"'%Y-%m-%dT%H:%M:%S%z'",
")",
"self",
".",
"request",
".",
"session",
".",
"modified",
"=",
"True",
"# Update the expiration date for this registration, and pass in the data from",
"# this form.",
"reg",
".",
"expirationDate",
"=",
"expiry",
"reg",
".",
"firstName",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'firstName'",
")",
"reg",
".",
"lastName",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'lastName'",
")",
"reg",
".",
"email",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'email'",
")",
"reg",
".",
"phone",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'phone'",
",",
"None",
")",
"reg",
".",
"student",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'student'",
",",
"False",
")",
"reg",
".",
"comments",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'comments'",
",",
"None",
")",
"reg",
".",
"howHeardAboutUs",
"=",
"form",
".",
"cleaned_data",
".",
"pop",
"(",
"'howHeardAboutUs'",
",",
"None",
")",
"# Anything else in the form goes to the TemporaryRegistration data.",
"reg",
".",
"data",
".",
"update",
"(",
"form",
".",
"cleaned_data",
")",
"reg",
".",
"save",
"(",
")",
"# This signal (formerly the post_temporary_registration signal) allows",
"# vouchers to be applied temporarily, and it can be used for other tasks",
"post_student_info",
".",
"send",
"(",
"sender",
"=",
"StudentInfoView",
",",
"registration",
"=",
"reg",
")",
"return",
"HttpResponseRedirect",
"(",
"self",
".",
"get_success_url",
"(",
")",
")"
] | Even if this form is valid, the handlers for this form may have added messages
to the request. In that case, then the page should be handled as if the form
were invalid. Otherwise, update the session data with the form data and then
move to the next view | [
"Even",
"if",
"this",
"form",
"is",
"valid",
"the",
"handlers",
"for",
"this",
"form",
"may",
"have",
"added",
"messages",
"to",
"the",
"request",
".",
"In",
"that",
"case",
"then",
"the",
"page",
"should",
"be",
"handled",
"as",
"if",
"the",
"form",
"were",
"invalid",
".",
"Otherwise",
"update",
"the",
"session",
"data",
"with",
"the",
"form",
"data",
"and",
"then",
"move",
"to",
"the",
"next",
"view"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/classreg.py#L666-L699 |
3,572 | django-danceschool/django-danceschool | danceschool/core/handlers.py | linkUserToMostRecentCustomer | def linkUserToMostRecentCustomer(sender,**kwargs):
'''
If a new primary email address has just been confirmed, check if the user
associated with that email has an associated customer object yet. If not,
then look for the customer with that email address who most recently
registered for something and that is not associated with another user.
Automatically associate the User with with Customer, and if missing, fill in
the user's name information with the Customer's name. This way, when a new
or existing customer creates a user account, they are seamlessly linked to
their most recent existing registration at the time they verify their email
address.
'''
email_address = kwargs.get('email_address',None)
if not email_address or not email_address.primary or not email_address.verified:
return
user = email_address.user
if not hasattr(user, 'customer'):
last_reg = Registration.objects.filter(
customer__email=email_address.email,
customer__user__isnull=True,
dateTime__isnull=False
).order_by('-dateTime').first()
if last_reg:
customer = last_reg.customer
customer.user = user
customer.save()
if not user.first_name and not user.last_name:
user.first_name = customer.first_name
user.last_name = customer.last_name
user.save() | python | def linkUserToMostRecentCustomer(sender,**kwargs):
'''
If a new primary email address has just been confirmed, check if the user
associated with that email has an associated customer object yet. If not,
then look for the customer with that email address who most recently
registered for something and that is not associated with another user.
Automatically associate the User with with Customer, and if missing, fill in
the user's name information with the Customer's name. This way, when a new
or existing customer creates a user account, they are seamlessly linked to
their most recent existing registration at the time they verify their email
address.
'''
email_address = kwargs.get('email_address',None)
if not email_address or not email_address.primary or not email_address.verified:
return
user = email_address.user
if not hasattr(user, 'customer'):
last_reg = Registration.objects.filter(
customer__email=email_address.email,
customer__user__isnull=True,
dateTime__isnull=False
).order_by('-dateTime').first()
if last_reg:
customer = last_reg.customer
customer.user = user
customer.save()
if not user.first_name and not user.last_name:
user.first_name = customer.first_name
user.last_name = customer.last_name
user.save() | [
"def",
"linkUserToMostRecentCustomer",
"(",
"sender",
",",
"*",
"*",
"kwargs",
")",
":",
"email_address",
"=",
"kwargs",
".",
"get",
"(",
"'email_address'",
",",
"None",
")",
"if",
"not",
"email_address",
"or",
"not",
"email_address",
".",
"primary",
"or",
"not",
"email_address",
".",
"verified",
":",
"return",
"user",
"=",
"email_address",
".",
"user",
"if",
"not",
"hasattr",
"(",
"user",
",",
"'customer'",
")",
":",
"last_reg",
"=",
"Registration",
".",
"objects",
".",
"filter",
"(",
"customer__email",
"=",
"email_address",
".",
"email",
",",
"customer__user__isnull",
"=",
"True",
",",
"dateTime__isnull",
"=",
"False",
")",
".",
"order_by",
"(",
"'-dateTime'",
")",
".",
"first",
"(",
")",
"if",
"last_reg",
":",
"customer",
"=",
"last_reg",
".",
"customer",
"customer",
".",
"user",
"=",
"user",
"customer",
".",
"save",
"(",
")",
"if",
"not",
"user",
".",
"first_name",
"and",
"not",
"user",
".",
"last_name",
":",
"user",
".",
"first_name",
"=",
"customer",
".",
"first_name",
"user",
".",
"last_name",
"=",
"customer",
".",
"last_name",
"user",
".",
"save",
"(",
")"
] | If a new primary email address has just been confirmed, check if the user
associated with that email has an associated customer object yet. If not,
then look for the customer with that email address who most recently
registered for something and that is not associated with another user.
Automatically associate the User with with Customer, and if missing, fill in
the user's name information with the Customer's name. This way, when a new
or existing customer creates a user account, they are seamlessly linked to
their most recent existing registration at the time they verify their email
address. | [
"If",
"a",
"new",
"primary",
"email",
"address",
"has",
"just",
"been",
"confirmed",
"check",
"if",
"the",
"user",
"associated",
"with",
"that",
"email",
"has",
"an",
"associated",
"customer",
"object",
"yet",
".",
"If",
"not",
"then",
"look",
"for",
"the",
"customer",
"with",
"that",
"email",
"address",
"who",
"most",
"recently",
"registered",
"for",
"something",
"and",
"that",
"is",
"not",
"associated",
"with",
"another",
"user",
".",
"Automatically",
"associate",
"the",
"User",
"with",
"with",
"Customer",
"and",
"if",
"missing",
"fill",
"in",
"the",
"user",
"s",
"name",
"information",
"with",
"the",
"Customer",
"s",
"name",
".",
"This",
"way",
"when",
"a",
"new",
"or",
"existing",
"customer",
"creates",
"a",
"user",
"account",
"they",
"are",
"seamlessly",
"linked",
"to",
"their",
"most",
"recent",
"existing",
"registration",
"at",
"the",
"time",
"they",
"verify",
"their",
"email",
"address",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/handlers.py#L17-L51 |
3,573 | django-danceschool/django-danceschool | danceschool/core/handlers.py | linkCustomerToVerifiedUser | def linkCustomerToVerifiedUser(sender, **kwargs):
"""
If a Registration is processed in which the associated Customer does not yet
have a User, then check to see if the Customer's email address has been
verified as belonging to a specific User, and if that User has an associated
Customer. If such a User is found, then associated this Customer with that
User. This way, if a new User verifies their email account before they have
submitted any Registrations, their Customer account is seamlessly linked when
they do complete their first Registration.
"""
registration = kwargs.get('registration', None)
if not registration or (hasattr(registration.customer,'user') and registration.customer.user):
return
logger.debug('Checking for User for Customer with no associated registration.')
customer = registration.customer
try:
verified_email = EmailAddress.objects.get(
email=customer.email,
verified=True,
primary=True,
user__customer__isnull=True
)
logger.info("Found user %s to associate with customer %s.", verified_email.user.id, customer.id)
customer.user = verified_email.user
customer.save()
if not customer.user.first_name and not customer.user.last_name:
customer.user.first_name = customer.first_name
customer.user.last_name = customer.last_name
customer.user.save()
except ObjectDoesNotExist:
logger.info("No user found to associate with customer %s.", customer.id)
except MultipleObjectsReturned:
# This should never happen, as email should be unique in the db table account_emailaddress.
# If it does, something's broken in the database or Django.
errmsg = "Something's not right with the database: more than one entry found on the database for the email %s. \
This duplicate key value violates unique constraint \"account_emailaddress_email_key\". \
The email field should be unique for each account.\n"
logger.exception(errmsg, customer.email) | python | def linkCustomerToVerifiedUser(sender, **kwargs):
"""
If a Registration is processed in which the associated Customer does not yet
have a User, then check to see if the Customer's email address has been
verified as belonging to a specific User, and if that User has an associated
Customer. If such a User is found, then associated this Customer with that
User. This way, if a new User verifies their email account before they have
submitted any Registrations, their Customer account is seamlessly linked when
they do complete their first Registration.
"""
registration = kwargs.get('registration', None)
if not registration or (hasattr(registration.customer,'user') and registration.customer.user):
return
logger.debug('Checking for User for Customer with no associated registration.')
customer = registration.customer
try:
verified_email = EmailAddress.objects.get(
email=customer.email,
verified=True,
primary=True,
user__customer__isnull=True
)
logger.info("Found user %s to associate with customer %s.", verified_email.user.id, customer.id)
customer.user = verified_email.user
customer.save()
if not customer.user.first_name and not customer.user.last_name:
customer.user.first_name = customer.first_name
customer.user.last_name = customer.last_name
customer.user.save()
except ObjectDoesNotExist:
logger.info("No user found to associate with customer %s.", customer.id)
except MultipleObjectsReturned:
# This should never happen, as email should be unique in the db table account_emailaddress.
# If it does, something's broken in the database or Django.
errmsg = "Something's not right with the database: more than one entry found on the database for the email %s. \
This duplicate key value violates unique constraint \"account_emailaddress_email_key\". \
The email field should be unique for each account.\n"
logger.exception(errmsg, customer.email) | [
"def",
"linkCustomerToVerifiedUser",
"(",
"sender",
",",
"*",
"*",
"kwargs",
")",
":",
"registration",
"=",
"kwargs",
".",
"get",
"(",
"'registration'",
",",
"None",
")",
"if",
"not",
"registration",
"or",
"(",
"hasattr",
"(",
"registration",
".",
"customer",
",",
"'user'",
")",
"and",
"registration",
".",
"customer",
".",
"user",
")",
":",
"return",
"logger",
".",
"debug",
"(",
"'Checking for User for Customer with no associated registration.'",
")",
"customer",
"=",
"registration",
".",
"customer",
"try",
":",
"verified_email",
"=",
"EmailAddress",
".",
"objects",
".",
"get",
"(",
"email",
"=",
"customer",
".",
"email",
",",
"verified",
"=",
"True",
",",
"primary",
"=",
"True",
",",
"user__customer__isnull",
"=",
"True",
")",
"logger",
".",
"info",
"(",
"\"Found user %s to associate with customer %s.\"",
",",
"verified_email",
".",
"user",
".",
"id",
",",
"customer",
".",
"id",
")",
"customer",
".",
"user",
"=",
"verified_email",
".",
"user",
"customer",
".",
"save",
"(",
")",
"if",
"not",
"customer",
".",
"user",
".",
"first_name",
"and",
"not",
"customer",
".",
"user",
".",
"last_name",
":",
"customer",
".",
"user",
".",
"first_name",
"=",
"customer",
".",
"first_name",
"customer",
".",
"user",
".",
"last_name",
"=",
"customer",
".",
"last_name",
"customer",
".",
"user",
".",
"save",
"(",
")",
"except",
"ObjectDoesNotExist",
":",
"logger",
".",
"info",
"(",
"\"No user found to associate with customer %s.\"",
",",
"customer",
".",
"id",
")",
"except",
"MultipleObjectsReturned",
":",
"# This should never happen, as email should be unique in the db table account_emailaddress.",
"# If it does, something's broken in the database or Django.",
"errmsg",
"=",
"\"Something's not right with the database: more than one entry found on the database for the email %s. \\\n This duplicate key value violates unique constraint \\\"account_emailaddress_email_key\\\". \\\n The email field should be unique for each account.\\n\"",
"logger",
".",
"exception",
"(",
"errmsg",
",",
"customer",
".",
"email",
")"
] | If a Registration is processed in which the associated Customer does not yet
have a User, then check to see if the Customer's email address has been
verified as belonging to a specific User, and if that User has an associated
Customer. If such a User is found, then associated this Customer with that
User. This way, if a new User verifies their email account before they have
submitted any Registrations, their Customer account is seamlessly linked when
they do complete their first Registration. | [
"If",
"a",
"Registration",
"is",
"processed",
"in",
"which",
"the",
"associated",
"Customer",
"does",
"not",
"yet",
"have",
"a",
"User",
"then",
"check",
"to",
"see",
"if",
"the",
"Customer",
"s",
"email",
"address",
"has",
"been",
"verified",
"as",
"belonging",
"to",
"a",
"specific",
"User",
"and",
"if",
"that",
"User",
"has",
"an",
"associated",
"Customer",
".",
"If",
"such",
"a",
"User",
"is",
"found",
"then",
"associated",
"this",
"Customer",
"with",
"that",
"User",
".",
"This",
"way",
"if",
"a",
"new",
"User",
"verifies",
"their",
"email",
"account",
"before",
"they",
"have",
"submitted",
"any",
"Registrations",
"their",
"Customer",
"account",
"is",
"seamlessly",
"linked",
"when",
"they",
"do",
"complete",
"their",
"first",
"Registration",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/handlers.py#L55-L99 |
3,574 | django-danceschool/django-danceschool | danceschool/core/autocomplete_light_registry.py | StaffMemberAutoComplete.create_object | def create_object(self, text):
''' Allow creation of staff members using a full name string. '''
if self.create_field == 'fullName':
firstName = text.split(' ')[0]
lastName = ' '.join(text.split(' ')[1:])
return self.get_queryset().create(**{'firstName': firstName, 'lastName': lastName})
else:
return super(StaffMemberAutoComplete,self).create_object(text) | python | def create_object(self, text):
''' Allow creation of staff members using a full name string. '''
if self.create_field == 'fullName':
firstName = text.split(' ')[0]
lastName = ' '.join(text.split(' ')[1:])
return self.get_queryset().create(**{'firstName': firstName, 'lastName': lastName})
else:
return super(StaffMemberAutoComplete,self).create_object(text) | [
"def",
"create_object",
"(",
"self",
",",
"text",
")",
":",
"if",
"self",
".",
"create_field",
"==",
"'fullName'",
":",
"firstName",
"=",
"text",
".",
"split",
"(",
"' '",
")",
"[",
"0",
"]",
"lastName",
"=",
"' '",
".",
"join",
"(",
"text",
".",
"split",
"(",
"' '",
")",
"[",
"1",
":",
"]",
")",
"return",
"self",
".",
"get_queryset",
"(",
")",
".",
"create",
"(",
"*",
"*",
"{",
"'firstName'",
":",
"firstName",
",",
"'lastName'",
":",
"lastName",
"}",
")",
"else",
":",
"return",
"super",
"(",
"StaffMemberAutoComplete",
",",
"self",
")",
".",
"create_object",
"(",
"text",
")"
] | Allow creation of staff members using a full name string. | [
"Allow",
"creation",
"of",
"staff",
"members",
"using",
"a",
"full",
"name",
"string",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/autocomplete_light_registry.py#L125-L132 |
3,575 | django-danceschool/django-danceschool | danceschool/banlist/handlers.py | checkBanlist | def checkBanlist(sender, **kwargs):
'''
Check that this individual is not on the ban list.
'''
if not getConstant('registration__enableBanList'):
return
logger.debug('Signal to check RegistrationContactForm handled by banlist app.')
formData = kwargs.get('formData', {})
first = formData.get('firstName')
last = formData.get('lastName')
email = formData.get('email')
request = kwargs.get('request', {})
session = getattr(request, 'session', {}).get(REG_VALIDATION_STR, {})
registrationId = getattr(kwargs.get('registration', None), 'id', None)
records = BannedPerson.objects.exclude(
disabled=True
).exclude(
expirationDate__lte=timezone.now()
).filter(
(Q(firstName__iexact=first) & Q(lastName__iexact=last)) |
Q(bannedemail__email__iexact=email)
)
if not records.exists():
return
# Generate an "error code" to reference so that it is easier to lookup
# the record on why they were flagged.
flagCode = ''.join(random.choice(string.ascii_uppercase) for x in range(8))
ip = get_client_ip(request)
respondTo = getConstant('registration__banListContactEmail') or getConstant('contact__businessEmail')
for record in records:
flagRecord = BanFlaggedRecord.objects.create(
flagCode=flagCode,
person=record,
ipAddress=ip,
data={'session': session, 'formData': formData, 'registrationId': registrationId}
)
notify = getConstant('registration__banListNotificationEmail')
if notify:
send_from = getConstant('contact__businessEmail')
subject = _('Notice of attempted registration by banned individual')
message = _(
'This is an automated notification that the following individual has attempted ' +
'to register for a class series or event:\n\n' +
'Name: %s\n' % record.fullName +
'Email: %s\n' % email +
'Date/Time: %s\n' % flagRecord.dateTime +
'IP Address: %s\n\n' % ip +
'This individual has been prevented from finalizing their registration, and they ' +
'have been asked to notify the school at %s with code %s to proceed.' % (respondTo, flagCode)
)
sendEmail(subject, message, send_from, to=[notify])
message = ugettext('There appears to be an issue with this registration. '
'Please contact %s to proceed with the registration process. '
'You may reference the error code %s.' % (respondTo, flagCode))
if request.user.has_perm('banlist.ignore_ban'):
messages.warning(request, message)
else:
raise ValidationError(message) | python | def checkBanlist(sender, **kwargs):
'''
Check that this individual is not on the ban list.
'''
if not getConstant('registration__enableBanList'):
return
logger.debug('Signal to check RegistrationContactForm handled by banlist app.')
formData = kwargs.get('formData', {})
first = formData.get('firstName')
last = formData.get('lastName')
email = formData.get('email')
request = kwargs.get('request', {})
session = getattr(request, 'session', {}).get(REG_VALIDATION_STR, {})
registrationId = getattr(kwargs.get('registration', None), 'id', None)
records = BannedPerson.objects.exclude(
disabled=True
).exclude(
expirationDate__lte=timezone.now()
).filter(
(Q(firstName__iexact=first) & Q(lastName__iexact=last)) |
Q(bannedemail__email__iexact=email)
)
if not records.exists():
return
# Generate an "error code" to reference so that it is easier to lookup
# the record on why they were flagged.
flagCode = ''.join(random.choice(string.ascii_uppercase) for x in range(8))
ip = get_client_ip(request)
respondTo = getConstant('registration__banListContactEmail') or getConstant('contact__businessEmail')
for record in records:
flagRecord = BanFlaggedRecord.objects.create(
flagCode=flagCode,
person=record,
ipAddress=ip,
data={'session': session, 'formData': formData, 'registrationId': registrationId}
)
notify = getConstant('registration__banListNotificationEmail')
if notify:
send_from = getConstant('contact__businessEmail')
subject = _('Notice of attempted registration by banned individual')
message = _(
'This is an automated notification that the following individual has attempted ' +
'to register for a class series or event:\n\n' +
'Name: %s\n' % record.fullName +
'Email: %s\n' % email +
'Date/Time: %s\n' % flagRecord.dateTime +
'IP Address: %s\n\n' % ip +
'This individual has been prevented from finalizing their registration, and they ' +
'have been asked to notify the school at %s with code %s to proceed.' % (respondTo, flagCode)
)
sendEmail(subject, message, send_from, to=[notify])
message = ugettext('There appears to be an issue with this registration. '
'Please contact %s to proceed with the registration process. '
'You may reference the error code %s.' % (respondTo, flagCode))
if request.user.has_perm('banlist.ignore_ban'):
messages.warning(request, message)
else:
raise ValidationError(message) | [
"def",
"checkBanlist",
"(",
"sender",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"not",
"getConstant",
"(",
"'registration__enableBanList'",
")",
":",
"return",
"logger",
".",
"debug",
"(",
"'Signal to check RegistrationContactForm handled by banlist app.'",
")",
"formData",
"=",
"kwargs",
".",
"get",
"(",
"'formData'",
",",
"{",
"}",
")",
"first",
"=",
"formData",
".",
"get",
"(",
"'firstName'",
")",
"last",
"=",
"formData",
".",
"get",
"(",
"'lastName'",
")",
"email",
"=",
"formData",
".",
"get",
"(",
"'email'",
")",
"request",
"=",
"kwargs",
".",
"get",
"(",
"'request'",
",",
"{",
"}",
")",
"session",
"=",
"getattr",
"(",
"request",
",",
"'session'",
",",
"{",
"}",
")",
".",
"get",
"(",
"REG_VALIDATION_STR",
",",
"{",
"}",
")",
"registrationId",
"=",
"getattr",
"(",
"kwargs",
".",
"get",
"(",
"'registration'",
",",
"None",
")",
",",
"'id'",
",",
"None",
")",
"records",
"=",
"BannedPerson",
".",
"objects",
".",
"exclude",
"(",
"disabled",
"=",
"True",
")",
".",
"exclude",
"(",
"expirationDate__lte",
"=",
"timezone",
".",
"now",
"(",
")",
")",
".",
"filter",
"(",
"(",
"Q",
"(",
"firstName__iexact",
"=",
"first",
")",
"&",
"Q",
"(",
"lastName__iexact",
"=",
"last",
")",
")",
"|",
"Q",
"(",
"bannedemail__email__iexact",
"=",
"email",
")",
")",
"if",
"not",
"records",
".",
"exists",
"(",
")",
":",
"return",
"# Generate an \"error code\" to reference so that it is easier to lookup\r",
"# the record on why they were flagged.\r",
"flagCode",
"=",
"''",
".",
"join",
"(",
"random",
".",
"choice",
"(",
"string",
".",
"ascii_uppercase",
")",
"for",
"x",
"in",
"range",
"(",
"8",
")",
")",
"ip",
"=",
"get_client_ip",
"(",
"request",
")",
"respondTo",
"=",
"getConstant",
"(",
"'registration__banListContactEmail'",
")",
"or",
"getConstant",
"(",
"'contact__businessEmail'",
")",
"for",
"record",
"in",
"records",
":",
"flagRecord",
"=",
"BanFlaggedRecord",
".",
"objects",
".",
"create",
"(",
"flagCode",
"=",
"flagCode",
",",
"person",
"=",
"record",
",",
"ipAddress",
"=",
"ip",
",",
"data",
"=",
"{",
"'session'",
":",
"session",
",",
"'formData'",
":",
"formData",
",",
"'registrationId'",
":",
"registrationId",
"}",
")",
"notify",
"=",
"getConstant",
"(",
"'registration__banListNotificationEmail'",
")",
"if",
"notify",
":",
"send_from",
"=",
"getConstant",
"(",
"'contact__businessEmail'",
")",
"subject",
"=",
"_",
"(",
"'Notice of attempted registration by banned individual'",
")",
"message",
"=",
"_",
"(",
"'This is an automated notification that the following individual has attempted '",
"+",
"'to register for a class series or event:\\n\\n'",
"+",
"'Name: %s\\n'",
"%",
"record",
".",
"fullName",
"+",
"'Email: %s\\n'",
"%",
"email",
"+",
"'Date/Time: %s\\n'",
"%",
"flagRecord",
".",
"dateTime",
"+",
"'IP Address: %s\\n\\n'",
"%",
"ip",
"+",
"'This individual has been prevented from finalizing their registration, and they '",
"+",
"'have been asked to notify the school at %s with code %s to proceed.'",
"%",
"(",
"respondTo",
",",
"flagCode",
")",
")",
"sendEmail",
"(",
"subject",
",",
"message",
",",
"send_from",
",",
"to",
"=",
"[",
"notify",
"]",
")",
"message",
"=",
"ugettext",
"(",
"'There appears to be an issue with this registration. '",
"'Please contact %s to proceed with the registration process. '",
"'You may reference the error code %s.'",
"%",
"(",
"respondTo",
",",
"flagCode",
")",
")",
"if",
"request",
".",
"user",
".",
"has_perm",
"(",
"'banlist.ignore_ban'",
")",
":",
"messages",
".",
"warning",
"(",
"request",
",",
"message",
")",
"else",
":",
"raise",
"ValidationError",
"(",
"message",
")"
] | Check that this individual is not on the ban list. | [
"Check",
"that",
"this",
"individual",
"is",
"not",
"on",
"the",
"ban",
"list",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/banlist/handlers.py#L35-L105 |
3,576 | django-danceschool/django-danceschool | danceschool/financial/models.py | TransactionParty.clean | def clean(self):
'''
Verify that the user and staffMember are not mismatched.
Location can only be specified if user and staffMember are not.
'''
if self.staffMember and self.staffMember.userAccount and \
self.user and not self.staffMember.userAccount == self.user:
raise ValidationError(_('Transaction party user does not match staff member user.'))
if self.location and (self.user or self.staffMember):
raise ValidationError(_('Transaction party may not be both a Location and a User or StaffMember.')) | python | def clean(self):
'''
Verify that the user and staffMember are not mismatched.
Location can only be specified if user and staffMember are not.
'''
if self.staffMember and self.staffMember.userAccount and \
self.user and not self.staffMember.userAccount == self.user:
raise ValidationError(_('Transaction party user does not match staff member user.'))
if self.location and (self.user or self.staffMember):
raise ValidationError(_('Transaction party may not be both a Location and a User or StaffMember.')) | [
"def",
"clean",
"(",
"self",
")",
":",
"if",
"self",
".",
"staffMember",
"and",
"self",
".",
"staffMember",
".",
"userAccount",
"and",
"self",
".",
"user",
"and",
"not",
"self",
".",
"staffMember",
".",
"userAccount",
"==",
"self",
".",
"user",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Transaction party user does not match staff member user.'",
")",
")",
"if",
"self",
".",
"location",
"and",
"(",
"self",
".",
"user",
"or",
"self",
".",
"staffMember",
")",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Transaction party may not be both a Location and a User or StaffMember.'",
")",
")"
] | Verify that the user and staffMember are not mismatched.
Location can only be specified if user and staffMember are not. | [
"Verify",
"that",
"the",
"user",
"and",
"staffMember",
"are",
"not",
"mismatched",
".",
"Location",
"can",
"only",
"be",
"specified",
"if",
"user",
"and",
"staffMember",
"are",
"not",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L83-L94 |
3,577 | django-danceschool/django-danceschool | danceschool/financial/models.py | TransactionParty.save | def save(self, updateBy=None, *args, **kwargs):
'''
Verify that the user and staffMember are populated with linked information, and
ensure that the name is properly specified.
'''
if (
self.staffMember and self.staffMember.userAccount and not self.user
) or (
isinstance(updateBy,StaffMember) and self.staffMember.userAccount
):
self.user = self.staffMember.userAccount
elif (
self.user and getattr(self.user,'staffmember',None) and not self.staffMember
) or (
isinstance(updateBy,User) and getattr(self.user,'staffmember',None)
):
self.staffMember = self.user.staffmember
# Don't replace the name if it has been given, but do fill it out if it is blank.
if not self.name:
if self.user and self.user.get_full_name():
self.name = self.user.get_full_name()
elif self.staffMember:
self.name = self.staffMember.fullName or self.staffMember.privateEmail
elif self.location:
self.name = self.location.name
super(TransactionParty, self).save(*args, **kwargs) | python | def save(self, updateBy=None, *args, **kwargs):
'''
Verify that the user and staffMember are populated with linked information, and
ensure that the name is properly specified.
'''
if (
self.staffMember and self.staffMember.userAccount and not self.user
) or (
isinstance(updateBy,StaffMember) and self.staffMember.userAccount
):
self.user = self.staffMember.userAccount
elif (
self.user and getattr(self.user,'staffmember',None) and not self.staffMember
) or (
isinstance(updateBy,User) and getattr(self.user,'staffmember',None)
):
self.staffMember = self.user.staffmember
# Don't replace the name if it has been given, but do fill it out if it is blank.
if not self.name:
if self.user and self.user.get_full_name():
self.name = self.user.get_full_name()
elif self.staffMember:
self.name = self.staffMember.fullName or self.staffMember.privateEmail
elif self.location:
self.name = self.location.name
super(TransactionParty, self).save(*args, **kwargs) | [
"def",
"save",
"(",
"self",
",",
"updateBy",
"=",
"None",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"(",
"self",
".",
"staffMember",
"and",
"self",
".",
"staffMember",
".",
"userAccount",
"and",
"not",
"self",
".",
"user",
")",
"or",
"(",
"isinstance",
"(",
"updateBy",
",",
"StaffMember",
")",
"and",
"self",
".",
"staffMember",
".",
"userAccount",
")",
":",
"self",
".",
"user",
"=",
"self",
".",
"staffMember",
".",
"userAccount",
"elif",
"(",
"self",
".",
"user",
"and",
"getattr",
"(",
"self",
".",
"user",
",",
"'staffmember'",
",",
"None",
")",
"and",
"not",
"self",
".",
"staffMember",
")",
"or",
"(",
"isinstance",
"(",
"updateBy",
",",
"User",
")",
"and",
"getattr",
"(",
"self",
".",
"user",
",",
"'staffmember'",
",",
"None",
")",
")",
":",
"self",
".",
"staffMember",
"=",
"self",
".",
"user",
".",
"staffmember",
"# Don't replace the name if it has been given, but do fill it out if it is blank.",
"if",
"not",
"self",
".",
"name",
":",
"if",
"self",
".",
"user",
"and",
"self",
".",
"user",
".",
"get_full_name",
"(",
")",
":",
"self",
".",
"name",
"=",
"self",
".",
"user",
".",
"get_full_name",
"(",
")",
"elif",
"self",
".",
"staffMember",
":",
"self",
".",
"name",
"=",
"self",
".",
"staffMember",
".",
"fullName",
"or",
"self",
".",
"staffMember",
".",
"privateEmail",
"elif",
"self",
".",
"location",
":",
"self",
".",
"name",
"=",
"self",
".",
"location",
".",
"name",
"super",
"(",
"TransactionParty",
",",
"self",
")",
".",
"save",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")"
] | Verify that the user and staffMember are populated with linked information, and
ensure that the name is properly specified. | [
"Verify",
"that",
"the",
"user",
"and",
"staffMember",
"are",
"populated",
"with",
"linked",
"information",
"and",
"ensure",
"that",
"the",
"name",
"is",
"properly",
"specified",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L96-L124 |
3,578 | django-danceschool/django-danceschool | danceschool/financial/models.py | RepeatedExpenseRule.ruleName | def ruleName(self):
''' This should be overridden for child classes '''
return '%s %s' % (self.rentalRate, self.RateRuleChoices.values.get(self.applyRateRule,self.applyRateRule)) | python | def ruleName(self):
''' This should be overridden for child classes '''
return '%s %s' % (self.rentalRate, self.RateRuleChoices.values.get(self.applyRateRule,self.applyRateRule)) | [
"def",
"ruleName",
"(",
"self",
")",
":",
"return",
"'%s %s'",
"%",
"(",
"self",
".",
"rentalRate",
",",
"self",
".",
"RateRuleChoices",
".",
"values",
".",
"get",
"(",
"self",
".",
"applyRateRule",
",",
"self",
".",
"applyRateRule",
")",
")"
] | This should be overridden for child classes | [
"This",
"should",
"be",
"overridden",
"for",
"child",
"classes"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L416-L418 |
3,579 | django-danceschool/django-danceschool | danceschool/financial/models.py | RoomRentalInfo.ruleName | def ruleName(self):
''' overrides from parent class '''
return _('%s at %s' % (self.room.name, self.room.location.name)) | python | def ruleName(self):
''' overrides from parent class '''
return _('%s at %s' % (self.room.name, self.room.location.name)) | [
"def",
"ruleName",
"(",
"self",
")",
":",
"return",
"_",
"(",
"'%s at %s'",
"%",
"(",
"self",
".",
"room",
".",
"name",
",",
"self",
".",
"room",
".",
"location",
".",
"name",
")",
")"
] | overrides from parent class | [
"overrides",
"from",
"parent",
"class"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L469-L471 |
3,580 | django-danceschool/django-danceschool | danceschool/financial/models.py | GenericRepeatedExpense.clean | def clean(self):
''' priorDays is required for Generic Repeated Expenses to avoid infinite loops '''
if not self.priorDays and not self.startDate:
raise ValidationError(_(
'Either a start date or an "up to __ days in the past" limit is required ' +
'for repeated expense rules that are not associated with a venue or a staff member.'
))
super(GenericRepeatedExpense,self).clean() | python | def clean(self):
''' priorDays is required for Generic Repeated Expenses to avoid infinite loops '''
if not self.priorDays and not self.startDate:
raise ValidationError(_(
'Either a start date or an "up to __ days in the past" limit is required ' +
'for repeated expense rules that are not associated with a venue or a staff member.'
))
super(GenericRepeatedExpense,self).clean() | [
"def",
"clean",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"priorDays",
"and",
"not",
"self",
".",
"startDate",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Either a start date or an \"up to __ days in the past\" limit is required '",
"+",
"'for repeated expense rules that are not associated with a venue or a staff member.'",
")",
")",
"super",
"(",
"GenericRepeatedExpense",
",",
"self",
")",
".",
"clean",
"(",
")"
] | priorDays is required for Generic Repeated Expenses to avoid infinite loops | [
"priorDays",
"is",
"required",
"for",
"Generic",
"Repeated",
"Expenses",
"to",
"avoid",
"infinite",
"loops"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L585-L592 |
3,581 | django-danceschool/django-danceschool | danceschool/financial/models.py | ExpenseItem.save | def save(self, *args, **kwargs):
'''
This custom save method ensures that an expense is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of expense of that series or event.
'''
# Set the approval and payment dates if they have just been approved/paid.
if not hasattr(self,'__paid') or not hasattr(self,'__approved'):
if self.approved and not self.approvalDate:
self.approvalDate = timezone.now()
if self.paid and not self.paymentDate:
self.paymentDate = timezone.now()
else:
if self.approved and not self.approvalDate and not self.__approvalDate:
self.approvalDate = timezone.now()
if self.paid and not self.paymentDate and not self.__paymentDate:
self.paymentDate = timezone.now()
# Fill out the series and event properties to permit easy calculation of
# revenues and expenses by series or by event.
if self.expenseRule and not self.payTo:
this_loc = getattr(self.expenseRule,'location',None)
this_member = getattr(self.expenseRule,'location',None)
if this_loc:
self.payTo = TransactionParty.objects.get_or_create(
location=this_loc,
defaults={'name': this_loc.name}
)[0]
elif this_member:
self.payTo = TransactionParty.objects.get_or_create(
staffMember=this_member,
defaults={
'name': this_member.fullName,
'user': getattr(this_member,'userAccount',None)
}
)[0]
# Set the accrual date. The method for events ensures that the accrualDate month
# is the same as the reported month of the series/event by accruing to the end date of the last
# class or occurrence in that month.
if not self.accrualDate:
if self.event and self.event.month:
self.accrualDate = self.event.eventoccurrence_set.order_by('endTime').filter(**{'endTime__month': self.event.month}).last().endTime
elif self.submissionDate:
self.accrualDate = self.submissionDate
else:
self.submissionDate = timezone.now()
self.accrualDate = self.submissionDate
# Set the total for hourly work
if self.hours and not self.wageRate and not self.total and not getattr(getattr(self,'payTo',None),'location',None) and self.category:
self.wageRate = self.category.defaultRate
elif self.hours and not self.wageRate and not self.total and getattr(getattr(self,'payTo',None),'location',None):
self.wageRate = self.payTo.location.rentalRate
if self.hours and self.wageRate and not self.total:
self.total = self.hours * self.wageRate
super(ExpenseItem, self).save(*args, **kwargs)
self.__approved = self.approved
self.__paid = self.paid
self.__approvalDate = self.approvalDate
self.__paymentDate = self.paymentDate
# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder
if self.attachment:
try:
self.attachment.folder = Folder.objects.get(name=_('Expense Receipts'))
except ObjectDoesNotExist:
pass
self.attachment.is_public = False
self.attachment.save() | python | def save(self, *args, **kwargs):
'''
This custom save method ensures that an expense is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of expense of that series or event.
'''
# Set the approval and payment dates if they have just been approved/paid.
if not hasattr(self,'__paid') or not hasattr(self,'__approved'):
if self.approved and not self.approvalDate:
self.approvalDate = timezone.now()
if self.paid and not self.paymentDate:
self.paymentDate = timezone.now()
else:
if self.approved and not self.approvalDate and not self.__approvalDate:
self.approvalDate = timezone.now()
if self.paid and not self.paymentDate and not self.__paymentDate:
self.paymentDate = timezone.now()
# Fill out the series and event properties to permit easy calculation of
# revenues and expenses by series or by event.
if self.expenseRule and not self.payTo:
this_loc = getattr(self.expenseRule,'location',None)
this_member = getattr(self.expenseRule,'location',None)
if this_loc:
self.payTo = TransactionParty.objects.get_or_create(
location=this_loc,
defaults={'name': this_loc.name}
)[0]
elif this_member:
self.payTo = TransactionParty.objects.get_or_create(
staffMember=this_member,
defaults={
'name': this_member.fullName,
'user': getattr(this_member,'userAccount',None)
}
)[0]
# Set the accrual date. The method for events ensures that the accrualDate month
# is the same as the reported month of the series/event by accruing to the end date of the last
# class or occurrence in that month.
if not self.accrualDate:
if self.event and self.event.month:
self.accrualDate = self.event.eventoccurrence_set.order_by('endTime').filter(**{'endTime__month': self.event.month}).last().endTime
elif self.submissionDate:
self.accrualDate = self.submissionDate
else:
self.submissionDate = timezone.now()
self.accrualDate = self.submissionDate
# Set the total for hourly work
if self.hours and not self.wageRate and not self.total and not getattr(getattr(self,'payTo',None),'location',None) and self.category:
self.wageRate = self.category.defaultRate
elif self.hours and not self.wageRate and not self.total and getattr(getattr(self,'payTo',None),'location',None):
self.wageRate = self.payTo.location.rentalRate
if self.hours and self.wageRate and not self.total:
self.total = self.hours * self.wageRate
super(ExpenseItem, self).save(*args, **kwargs)
self.__approved = self.approved
self.__paid = self.paid
self.__approvalDate = self.approvalDate
self.__paymentDate = self.paymentDate
# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder
if self.attachment:
try:
self.attachment.folder = Folder.objects.get(name=_('Expense Receipts'))
except ObjectDoesNotExist:
pass
self.attachment.is_public = False
self.attachment.save() | [
"def",
"save",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"# Set the approval and payment dates if they have just been approved/paid.",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'__paid'",
")",
"or",
"not",
"hasattr",
"(",
"self",
",",
"'__approved'",
")",
":",
"if",
"self",
".",
"approved",
"and",
"not",
"self",
".",
"approvalDate",
":",
"self",
".",
"approvalDate",
"=",
"timezone",
".",
"now",
"(",
")",
"if",
"self",
".",
"paid",
"and",
"not",
"self",
".",
"paymentDate",
":",
"self",
".",
"paymentDate",
"=",
"timezone",
".",
"now",
"(",
")",
"else",
":",
"if",
"self",
".",
"approved",
"and",
"not",
"self",
".",
"approvalDate",
"and",
"not",
"self",
".",
"__approvalDate",
":",
"self",
".",
"approvalDate",
"=",
"timezone",
".",
"now",
"(",
")",
"if",
"self",
".",
"paid",
"and",
"not",
"self",
".",
"paymentDate",
"and",
"not",
"self",
".",
"__paymentDate",
":",
"self",
".",
"paymentDate",
"=",
"timezone",
".",
"now",
"(",
")",
"# Fill out the series and event properties to permit easy calculation of",
"# revenues and expenses by series or by event.",
"if",
"self",
".",
"expenseRule",
"and",
"not",
"self",
".",
"payTo",
":",
"this_loc",
"=",
"getattr",
"(",
"self",
".",
"expenseRule",
",",
"'location'",
",",
"None",
")",
"this_member",
"=",
"getattr",
"(",
"self",
".",
"expenseRule",
",",
"'location'",
",",
"None",
")",
"if",
"this_loc",
":",
"self",
".",
"payTo",
"=",
"TransactionParty",
".",
"objects",
".",
"get_or_create",
"(",
"location",
"=",
"this_loc",
",",
"defaults",
"=",
"{",
"'name'",
":",
"this_loc",
".",
"name",
"}",
")",
"[",
"0",
"]",
"elif",
"this_member",
":",
"self",
".",
"payTo",
"=",
"TransactionParty",
".",
"objects",
".",
"get_or_create",
"(",
"staffMember",
"=",
"this_member",
",",
"defaults",
"=",
"{",
"'name'",
":",
"this_member",
".",
"fullName",
",",
"'user'",
":",
"getattr",
"(",
"this_member",
",",
"'userAccount'",
",",
"None",
")",
"}",
")",
"[",
"0",
"]",
"# Set the accrual date. The method for events ensures that the accrualDate month",
"# is the same as the reported month of the series/event by accruing to the end date of the last",
"# class or occurrence in that month.",
"if",
"not",
"self",
".",
"accrualDate",
":",
"if",
"self",
".",
"event",
"and",
"self",
".",
"event",
".",
"month",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"event",
".",
"eventoccurrence_set",
".",
"order_by",
"(",
"'endTime'",
")",
".",
"filter",
"(",
"*",
"*",
"{",
"'endTime__month'",
":",
"self",
".",
"event",
".",
"month",
"}",
")",
".",
"last",
"(",
")",
".",
"endTime",
"elif",
"self",
".",
"submissionDate",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"submissionDate",
"else",
":",
"self",
".",
"submissionDate",
"=",
"timezone",
".",
"now",
"(",
")",
"self",
".",
"accrualDate",
"=",
"self",
".",
"submissionDate",
"# Set the total for hourly work",
"if",
"self",
".",
"hours",
"and",
"not",
"self",
".",
"wageRate",
"and",
"not",
"self",
".",
"total",
"and",
"not",
"getattr",
"(",
"getattr",
"(",
"self",
",",
"'payTo'",
",",
"None",
")",
",",
"'location'",
",",
"None",
")",
"and",
"self",
".",
"category",
":",
"self",
".",
"wageRate",
"=",
"self",
".",
"category",
".",
"defaultRate",
"elif",
"self",
".",
"hours",
"and",
"not",
"self",
".",
"wageRate",
"and",
"not",
"self",
".",
"total",
"and",
"getattr",
"(",
"getattr",
"(",
"self",
",",
"'payTo'",
",",
"None",
")",
",",
"'location'",
",",
"None",
")",
":",
"self",
".",
"wageRate",
"=",
"self",
".",
"payTo",
".",
"location",
".",
"rentalRate",
"if",
"self",
".",
"hours",
"and",
"self",
".",
"wageRate",
"and",
"not",
"self",
".",
"total",
":",
"self",
".",
"total",
"=",
"self",
".",
"hours",
"*",
"self",
".",
"wageRate",
"super",
"(",
"ExpenseItem",
",",
"self",
")",
".",
"save",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"self",
".",
"__approved",
"=",
"self",
".",
"approved",
"self",
".",
"__paid",
"=",
"self",
".",
"paid",
"self",
".",
"__approvalDate",
"=",
"self",
".",
"approvalDate",
"self",
".",
"__paymentDate",
"=",
"self",
".",
"paymentDate",
"# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder",
"if",
"self",
".",
"attachment",
":",
"try",
":",
"self",
".",
"attachment",
".",
"folder",
"=",
"Folder",
".",
"objects",
".",
"get",
"(",
"name",
"=",
"_",
"(",
"'Expense Receipts'",
")",
")",
"except",
"ObjectDoesNotExist",
":",
"pass",
"self",
".",
"attachment",
".",
"is_public",
"=",
"False",
"self",
".",
"attachment",
".",
"save",
"(",
")"
] | This custom save method ensures that an expense is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of expense of that series or event. | [
"This",
"custom",
"save",
"method",
"ensures",
"that",
"an",
"expense",
"is",
"not",
"attributed",
"to",
"multiple",
"categories",
".",
"It",
"also",
"ensures",
"that",
"the",
"series",
"and",
"event",
"properties",
"are",
"always",
"associated",
"with",
"any",
"type",
"of",
"expense",
"of",
"that",
"series",
"or",
"event",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L724-L796 |
3,582 | django-danceschool/django-danceschool | danceschool/financial/models.py | RevenueItem.relatedItems | def relatedItems(self):
'''
If this item is associated with a registration, then return all other items associated with
the same registration.
'''
if self.registration:
return self.registration.revenueitem_set.exclude(pk=self.pk) | python | def relatedItems(self):
'''
If this item is associated with a registration, then return all other items associated with
the same registration.
'''
if self.registration:
return self.registration.revenueitem_set.exclude(pk=self.pk) | [
"def",
"relatedItems",
"(",
"self",
")",
":",
"if",
"self",
".",
"registration",
":",
"return",
"self",
".",
"registration",
".",
"revenueitem_set",
".",
"exclude",
"(",
"pk",
"=",
"self",
".",
"pk",
")"
] | If this item is associated with a registration, then return all other items associated with
the same registration. | [
"If",
"this",
"item",
"is",
"associated",
"with",
"a",
"registration",
"then",
"return",
"all",
"other",
"items",
"associated",
"with",
"the",
"same",
"registration",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L874-L880 |
3,583 | django-danceschool/django-danceschool | danceschool/financial/models.py | RevenueItem.save | def save(self, *args, **kwargs):
'''
This custom save method ensures that a revenue item is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of revenue of that series or event.
'''
# Set the received date if the payment was just marked received
if not hasattr(self,'__received'):
if self.received and not self.receivedDate:
self.receivedDate = timezone.now()
else:
if self.received and not self.receivedDate and not self.__receivedDate:
self.receivedDate = timezone.now()
# Set the accrual date. The method for series/events ensures that the accrualDate month
# is the same as the reported month of the event/series by accruing to the start date of the first
# occurrence in that month.
if not self.accrualDate:
if self.invoiceItem and self.invoiceItem.finalEventRegistration:
min_event_time = self.invoiceItem.finalEventRegistration.event.eventoccurrence_set.filter(**{'startTime__month':self.invoiceItem.finalEventRegistration.event.month}).first().startTime
self.accrualDate = min_event_time
elif self.event:
self.accrualDate = self.event.eventoccurrence_set.order_by('startTime').filter(**{'startTime__month': self.event.month}).last().startTime
elif self.invoiceItem:
self.accrualDate = self.invoiceItem.invoice.creationDate
elif self.receivedDate:
self.accrualDate = self.receivedDate
elif self.submissionDate:
self.accrualDate = self.submissionDate
else:
self.submissionDate = timezone.now()
self.accrualDate = self.submissionDate
# Now, set the registration property and check that this item is not attributed
# to multiple categories.
if self.invoiceItem and self.invoiceItem.finalEventRegistration:
self.event = self.invoiceItem.finalEventRegistration.event
elif self.invoiceItem and self.invoiceItem.temporaryEventRegistration:
self.event = self.invoiceItem.temporaryEventRegistration.event
# If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal
if self.grossTotal is None and self.total:
self.grossTotal = self.total
if self.total is None and self.grossTotal:
self.total = self.grossTotal
super(RevenueItem, self).save(*args, **kwargs)
self.__received = self.received
self.__receivedDate = self.receivedDate
# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder
if self.attachment:
try:
self.attachment.folder = Folder.objects.get(name=_('Revenue Receipts'))
except ObjectDoesNotExist:
pass
self.attachment.is_public = False
self.attachment.save() | python | def save(self, *args, **kwargs):
'''
This custom save method ensures that a revenue item is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of revenue of that series or event.
'''
# Set the received date if the payment was just marked received
if not hasattr(self,'__received'):
if self.received and not self.receivedDate:
self.receivedDate = timezone.now()
else:
if self.received and not self.receivedDate and not self.__receivedDate:
self.receivedDate = timezone.now()
# Set the accrual date. The method for series/events ensures that the accrualDate month
# is the same as the reported month of the event/series by accruing to the start date of the first
# occurrence in that month.
if not self.accrualDate:
if self.invoiceItem and self.invoiceItem.finalEventRegistration:
min_event_time = self.invoiceItem.finalEventRegistration.event.eventoccurrence_set.filter(**{'startTime__month':self.invoiceItem.finalEventRegistration.event.month}).first().startTime
self.accrualDate = min_event_time
elif self.event:
self.accrualDate = self.event.eventoccurrence_set.order_by('startTime').filter(**{'startTime__month': self.event.month}).last().startTime
elif self.invoiceItem:
self.accrualDate = self.invoiceItem.invoice.creationDate
elif self.receivedDate:
self.accrualDate = self.receivedDate
elif self.submissionDate:
self.accrualDate = self.submissionDate
else:
self.submissionDate = timezone.now()
self.accrualDate = self.submissionDate
# Now, set the registration property and check that this item is not attributed
# to multiple categories.
if self.invoiceItem and self.invoiceItem.finalEventRegistration:
self.event = self.invoiceItem.finalEventRegistration.event
elif self.invoiceItem and self.invoiceItem.temporaryEventRegistration:
self.event = self.invoiceItem.temporaryEventRegistration.event
# If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal
if self.grossTotal is None and self.total:
self.grossTotal = self.total
if self.total is None and self.grossTotal:
self.total = self.grossTotal
super(RevenueItem, self).save(*args, **kwargs)
self.__received = self.received
self.__receivedDate = self.receivedDate
# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder
if self.attachment:
try:
self.attachment.folder = Folder.objects.get(name=_('Revenue Receipts'))
except ObjectDoesNotExist:
pass
self.attachment.is_public = False
self.attachment.save() | [
"def",
"save",
"(",
"self",
",",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
":",
"# Set the received date if the payment was just marked received",
"if",
"not",
"hasattr",
"(",
"self",
",",
"'__received'",
")",
":",
"if",
"self",
".",
"received",
"and",
"not",
"self",
".",
"receivedDate",
":",
"self",
".",
"receivedDate",
"=",
"timezone",
".",
"now",
"(",
")",
"else",
":",
"if",
"self",
".",
"received",
"and",
"not",
"self",
".",
"receivedDate",
"and",
"not",
"self",
".",
"__receivedDate",
":",
"self",
".",
"receivedDate",
"=",
"timezone",
".",
"now",
"(",
")",
"# Set the accrual date. The method for series/events ensures that the accrualDate month",
"# is the same as the reported month of the event/series by accruing to the start date of the first",
"# occurrence in that month.",
"if",
"not",
"self",
".",
"accrualDate",
":",
"if",
"self",
".",
"invoiceItem",
"and",
"self",
".",
"invoiceItem",
".",
"finalEventRegistration",
":",
"min_event_time",
"=",
"self",
".",
"invoiceItem",
".",
"finalEventRegistration",
".",
"event",
".",
"eventoccurrence_set",
".",
"filter",
"(",
"*",
"*",
"{",
"'startTime__month'",
":",
"self",
".",
"invoiceItem",
".",
"finalEventRegistration",
".",
"event",
".",
"month",
"}",
")",
".",
"first",
"(",
")",
".",
"startTime",
"self",
".",
"accrualDate",
"=",
"min_event_time",
"elif",
"self",
".",
"event",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"event",
".",
"eventoccurrence_set",
".",
"order_by",
"(",
"'startTime'",
")",
".",
"filter",
"(",
"*",
"*",
"{",
"'startTime__month'",
":",
"self",
".",
"event",
".",
"month",
"}",
")",
".",
"last",
"(",
")",
".",
"startTime",
"elif",
"self",
".",
"invoiceItem",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"invoiceItem",
".",
"invoice",
".",
"creationDate",
"elif",
"self",
".",
"receivedDate",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"receivedDate",
"elif",
"self",
".",
"submissionDate",
":",
"self",
".",
"accrualDate",
"=",
"self",
".",
"submissionDate",
"else",
":",
"self",
".",
"submissionDate",
"=",
"timezone",
".",
"now",
"(",
")",
"self",
".",
"accrualDate",
"=",
"self",
".",
"submissionDate",
"# Now, set the registration property and check that this item is not attributed",
"# to multiple categories.",
"if",
"self",
".",
"invoiceItem",
"and",
"self",
".",
"invoiceItem",
".",
"finalEventRegistration",
":",
"self",
".",
"event",
"=",
"self",
".",
"invoiceItem",
".",
"finalEventRegistration",
".",
"event",
"elif",
"self",
".",
"invoiceItem",
"and",
"self",
".",
"invoiceItem",
".",
"temporaryEventRegistration",
":",
"self",
".",
"event",
"=",
"self",
".",
"invoiceItem",
".",
"temporaryEventRegistration",
".",
"event",
"# If no grossTotal is reported, use the net total. If no net total is reported, use the grossTotal",
"if",
"self",
".",
"grossTotal",
"is",
"None",
"and",
"self",
".",
"total",
":",
"self",
".",
"grossTotal",
"=",
"self",
".",
"total",
"if",
"self",
".",
"total",
"is",
"None",
"and",
"self",
".",
"grossTotal",
":",
"self",
".",
"total",
"=",
"self",
".",
"grossTotal",
"super",
"(",
"RevenueItem",
",",
"self",
")",
".",
"save",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"self",
".",
"__received",
"=",
"self",
".",
"received",
"self",
".",
"__receivedDate",
"=",
"self",
".",
"receivedDate",
"# If a file is attached, ensure that it is not public, and that it is saved in the 'Expense Receipts' folder",
"if",
"self",
".",
"attachment",
":",
"try",
":",
"self",
".",
"attachment",
".",
"folder",
"=",
"Folder",
".",
"objects",
".",
"get",
"(",
"name",
"=",
"_",
"(",
"'Revenue Receipts'",
")",
")",
"except",
"ObjectDoesNotExist",
":",
"pass",
"self",
".",
"attachment",
".",
"is_public",
"=",
"False",
"self",
".",
"attachment",
".",
"save",
"(",
")"
] | This custom save method ensures that a revenue item is not attributed to multiple categories.
It also ensures that the series and event properties are always associated with any
type of revenue of that series or event. | [
"This",
"custom",
"save",
"method",
"ensures",
"that",
"a",
"revenue",
"item",
"is",
"not",
"attributed",
"to",
"multiple",
"categories",
".",
"It",
"also",
"ensures",
"that",
"the",
"series",
"and",
"event",
"properties",
"are",
"always",
"associated",
"with",
"any",
"type",
"of",
"revenue",
"of",
"that",
"series",
"or",
"event",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/models.py#L891-L949 |
3,584 | django-danceschool/django-danceschool | danceschool/private_lessons/forms.py | SlotCreationForm.clean | def clean(self):
'''
Only allow submission if there are not already slots in the submitted window,
and only allow rooms associated with the chosen location.
'''
super(SlotCreationForm,self).clean()
startDate = self.cleaned_data.get('startDate')
endDate = self.cleaned_data.get('endDate')
startTime = self.cleaned_data.get('startTime')
endTime = self.cleaned_data.get('endTime')
instructor = self.cleaned_data.get('instructorId')
existingSlots = InstructorAvailabilitySlot.objects.filter(
instructor=instructor,
startTime__gt=(
ensure_localtime(datetime.combine(startDate,startTime)) -
timedelta(minutes=getConstant('privateLessons__lessonLengthInterval'))
),
startTime__lt=ensure_localtime(datetime.combine(endDate,endTime)),
)
if existingSlots.exists():
raise ValidationError(_('Newly created slots cannot overlap existing slots for this instructor.'),code='invalid') | python | def clean(self):
'''
Only allow submission if there are not already slots in the submitted window,
and only allow rooms associated with the chosen location.
'''
super(SlotCreationForm,self).clean()
startDate = self.cleaned_data.get('startDate')
endDate = self.cleaned_data.get('endDate')
startTime = self.cleaned_data.get('startTime')
endTime = self.cleaned_data.get('endTime')
instructor = self.cleaned_data.get('instructorId')
existingSlots = InstructorAvailabilitySlot.objects.filter(
instructor=instructor,
startTime__gt=(
ensure_localtime(datetime.combine(startDate,startTime)) -
timedelta(minutes=getConstant('privateLessons__lessonLengthInterval'))
),
startTime__lt=ensure_localtime(datetime.combine(endDate,endTime)),
)
if existingSlots.exists():
raise ValidationError(_('Newly created slots cannot overlap existing slots for this instructor.'),code='invalid') | [
"def",
"clean",
"(",
"self",
")",
":",
"super",
"(",
"SlotCreationForm",
",",
"self",
")",
".",
"clean",
"(",
")",
"startDate",
"=",
"self",
".",
"cleaned_data",
".",
"get",
"(",
"'startDate'",
")",
"endDate",
"=",
"self",
".",
"cleaned_data",
".",
"get",
"(",
"'endDate'",
")",
"startTime",
"=",
"self",
".",
"cleaned_data",
".",
"get",
"(",
"'startTime'",
")",
"endTime",
"=",
"self",
".",
"cleaned_data",
".",
"get",
"(",
"'endTime'",
")",
"instructor",
"=",
"self",
".",
"cleaned_data",
".",
"get",
"(",
"'instructorId'",
")",
"existingSlots",
"=",
"InstructorAvailabilitySlot",
".",
"objects",
".",
"filter",
"(",
"instructor",
"=",
"instructor",
",",
"startTime__gt",
"=",
"(",
"ensure_localtime",
"(",
"datetime",
".",
"combine",
"(",
"startDate",
",",
"startTime",
")",
")",
"-",
"timedelta",
"(",
"minutes",
"=",
"getConstant",
"(",
"'privateLessons__lessonLengthInterval'",
")",
")",
")",
",",
"startTime__lt",
"=",
"ensure_localtime",
"(",
"datetime",
".",
"combine",
"(",
"endDate",
",",
"endTime",
")",
")",
",",
")",
"if",
"existingSlots",
".",
"exists",
"(",
")",
":",
"raise",
"ValidationError",
"(",
"_",
"(",
"'Newly created slots cannot overlap existing slots for this instructor.'",
")",
",",
"code",
"=",
"'invalid'",
")"
] | Only allow submission if there are not already slots in the submitted window,
and only allow rooms associated with the chosen location. | [
"Only",
"allow",
"submission",
"if",
"there",
"are",
"not",
"already",
"slots",
"in",
"the",
"submitted",
"window",
"and",
"only",
"allow",
"rooms",
"associated",
"with",
"the",
"chosen",
"location",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/private_lessons/forms.py#L70-L94 |
3,585 | django-danceschool/django-danceschool | danceschool/financial/autocomplete_light_registry.py | get_method_list | def get_method_list():
'''
Include manual methods by default
'''
methods = [str(_('Cash')),str(_('Check')),str(_('Bank/Debit Card')),str(_('Other'))]
methods += ExpenseItem.objects.order_by().values_list('paymentMethod',flat=True).distinct()
methods += RevenueItem.objects.order_by().values_list('paymentMethod',flat=True).distinct()
methods_list = list(set(methods))
if None in methods_list:
methods_list.remove(None)
return methods_list | python | def get_method_list():
'''
Include manual methods by default
'''
methods = [str(_('Cash')),str(_('Check')),str(_('Bank/Debit Card')),str(_('Other'))]
methods += ExpenseItem.objects.order_by().values_list('paymentMethod',flat=True).distinct()
methods += RevenueItem.objects.order_by().values_list('paymentMethod',flat=True).distinct()
methods_list = list(set(methods))
if None in methods_list:
methods_list.remove(None)
return methods_list | [
"def",
"get_method_list",
"(",
")",
":",
"methods",
"=",
"[",
"str",
"(",
"_",
"(",
"'Cash'",
")",
")",
",",
"str",
"(",
"_",
"(",
"'Check'",
")",
")",
",",
"str",
"(",
"_",
"(",
"'Bank/Debit Card'",
")",
")",
",",
"str",
"(",
"_",
"(",
"'Other'",
")",
")",
"]",
"methods",
"+=",
"ExpenseItem",
".",
"objects",
".",
"order_by",
"(",
")",
".",
"values_list",
"(",
"'paymentMethod'",
",",
"flat",
"=",
"True",
")",
".",
"distinct",
"(",
")",
"methods",
"+=",
"RevenueItem",
".",
"objects",
".",
"order_by",
"(",
")",
".",
"values_list",
"(",
"'paymentMethod'",
",",
"flat",
"=",
"True",
")",
".",
"distinct",
"(",
")",
"methods_list",
"=",
"list",
"(",
"set",
"(",
"methods",
")",
")",
"if",
"None",
"in",
"methods_list",
":",
"methods_list",
".",
"remove",
"(",
"None",
")",
"return",
"methods_list"
] | Include manual methods by default | [
"Include",
"manual",
"methods",
"by",
"default"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L11-L23 |
3,586 | django-danceschool/django-danceschool | danceschool/financial/autocomplete_light_registry.py | TransactionPartyAutoComplete.get_create_option | def get_create_option(self, context, q):
"""Form the correct create_option to append to results."""
create_option = []
display_create_option = False
if self.create_field and q:
page_obj = context.get('page_obj', None)
if page_obj is None or page_obj.number == 1:
display_create_option = True
if display_create_option and self.has_add_permission(self.request):
'''
Generate querysets of Locations, StaffMembers, and Users that
match the query string.
'''
for s in Location.objects.filter(
Q(
Q(name__istartswith=q) & Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'Location_%s' % s.id,
'text': _('Generate from location "%(location)s"') % {'location': s.name},
'create_id': True,
}]
for s in StaffMember.objects.filter(
Q(
(Q(firstName__istartswith=q) | Q(lastName__istartswith=q)) &
Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'StaffMember_%s' % s.id,
'text': _('Generate from staff member "%(staff_member)s"') % {'staff_member': s.fullName},
'create_id': True,
}]
for s in User.objects.filter(
Q(
(Q(first_name__istartswith=q) | Q(last_name__istartswith=q)) &
Q(staffmember__isnull=True) & Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'User_%s' % s.id,
'text': _('Generate from user "%(user)s"') % {'user': s.get_full_name()},
'create_id': True,
}]
# Finally, allow creation from a name only.
create_option += [{
'id': q,
'text': _('Create "%(new_value)s"') % {'new_value': q},
'create_id': True,
}]
return create_option | python | def get_create_option(self, context, q):
"""Form the correct create_option to append to results."""
create_option = []
display_create_option = False
if self.create_field and q:
page_obj = context.get('page_obj', None)
if page_obj is None or page_obj.number == 1:
display_create_option = True
if display_create_option and self.has_add_permission(self.request):
'''
Generate querysets of Locations, StaffMembers, and Users that
match the query string.
'''
for s in Location.objects.filter(
Q(
Q(name__istartswith=q) & Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'Location_%s' % s.id,
'text': _('Generate from location "%(location)s"') % {'location': s.name},
'create_id': True,
}]
for s in StaffMember.objects.filter(
Q(
(Q(firstName__istartswith=q) | Q(lastName__istartswith=q)) &
Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'StaffMember_%s' % s.id,
'text': _('Generate from staff member "%(staff_member)s"') % {'staff_member': s.fullName},
'create_id': True,
}]
for s in User.objects.filter(
Q(
(Q(first_name__istartswith=q) | Q(last_name__istartswith=q)) &
Q(staffmember__isnull=True) & Q(transactionparty__isnull=True)
)
):
create_option += [{
'id': 'User_%s' % s.id,
'text': _('Generate from user "%(user)s"') % {'user': s.get_full_name()},
'create_id': True,
}]
# Finally, allow creation from a name only.
create_option += [{
'id': q,
'text': _('Create "%(new_value)s"') % {'new_value': q},
'create_id': True,
}]
return create_option | [
"def",
"get_create_option",
"(",
"self",
",",
"context",
",",
"q",
")",
":",
"create_option",
"=",
"[",
"]",
"display_create_option",
"=",
"False",
"if",
"self",
".",
"create_field",
"and",
"q",
":",
"page_obj",
"=",
"context",
".",
"get",
"(",
"'page_obj'",
",",
"None",
")",
"if",
"page_obj",
"is",
"None",
"or",
"page_obj",
".",
"number",
"==",
"1",
":",
"display_create_option",
"=",
"True",
"if",
"display_create_option",
"and",
"self",
".",
"has_add_permission",
"(",
"self",
".",
"request",
")",
":",
"'''\r\n Generate querysets of Locations, StaffMembers, and Users that \r\n match the query string.\r\n '''",
"for",
"s",
"in",
"Location",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"Q",
"(",
"name__istartswith",
"=",
"q",
")",
"&",
"Q",
"(",
"transactionparty__isnull",
"=",
"True",
")",
")",
")",
":",
"create_option",
"+=",
"[",
"{",
"'id'",
":",
"'Location_%s'",
"%",
"s",
".",
"id",
",",
"'text'",
":",
"_",
"(",
"'Generate from location \"%(location)s\"'",
")",
"%",
"{",
"'location'",
":",
"s",
".",
"name",
"}",
",",
"'create_id'",
":",
"True",
",",
"}",
"]",
"for",
"s",
"in",
"StaffMember",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"(",
"Q",
"(",
"firstName__istartswith",
"=",
"q",
")",
"|",
"Q",
"(",
"lastName__istartswith",
"=",
"q",
")",
")",
"&",
"Q",
"(",
"transactionparty__isnull",
"=",
"True",
")",
")",
")",
":",
"create_option",
"+=",
"[",
"{",
"'id'",
":",
"'StaffMember_%s'",
"%",
"s",
".",
"id",
",",
"'text'",
":",
"_",
"(",
"'Generate from staff member \"%(staff_member)s\"'",
")",
"%",
"{",
"'staff_member'",
":",
"s",
".",
"fullName",
"}",
",",
"'create_id'",
":",
"True",
",",
"}",
"]",
"for",
"s",
"in",
"User",
".",
"objects",
".",
"filter",
"(",
"Q",
"(",
"(",
"Q",
"(",
"first_name__istartswith",
"=",
"q",
")",
"|",
"Q",
"(",
"last_name__istartswith",
"=",
"q",
")",
")",
"&",
"Q",
"(",
"staffmember__isnull",
"=",
"True",
")",
"&",
"Q",
"(",
"transactionparty__isnull",
"=",
"True",
")",
")",
")",
":",
"create_option",
"+=",
"[",
"{",
"'id'",
":",
"'User_%s'",
"%",
"s",
".",
"id",
",",
"'text'",
":",
"_",
"(",
"'Generate from user \"%(user)s\"'",
")",
"%",
"{",
"'user'",
":",
"s",
".",
"get_full_name",
"(",
")",
"}",
",",
"'create_id'",
":",
"True",
",",
"}",
"]",
"# Finally, allow creation from a name only.\r",
"create_option",
"+=",
"[",
"{",
"'id'",
":",
"q",
",",
"'text'",
":",
"_",
"(",
"'Create \"%(new_value)s\"'",
")",
"%",
"{",
"'new_value'",
":",
"q",
"}",
",",
"'create_id'",
":",
"True",
",",
"}",
"]",
"return",
"create_option"
] | Form the correct create_option to append to results. | [
"Form",
"the",
"correct",
"create_option",
"to",
"append",
"to",
"results",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L80-L135 |
3,587 | django-danceschool/django-danceschool | danceschool/financial/autocomplete_light_registry.py | TransactionPartyAutoComplete.create_object | def create_object(self, text):
''' Allow creation of transaction parties using a full name string. '''
if self.create_field == 'name':
if text.startswith('Location_'):
this_id = text[len('Location_'):]
this_loc = Location.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_loc.name,location=this_loc
)[0]
elif text.startswith('StaffMember_'):
this_id = text[len('StaffMember_'):]
this_member = StaffMember.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_member.fullName,staffMember=this_member,
defaults={'user': getattr(this_member,'userAccount',None)}
)[0]
elif text.startswith('User_'):
this_id = text[len('User_'):]
this_user = User.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_user.get_full_name(),user=this_user,
defaults={'staffMember': getattr(this_user,'staffmember',None)}
)[0]
else:
return self.get_queryset().get_or_create(
name=text,staffMember=None,user=None,location=None
)[0]
else:
return super(TransactionPartyAutoComplete,self).create_object(text) | python | def create_object(self, text):
''' Allow creation of transaction parties using a full name string. '''
if self.create_field == 'name':
if text.startswith('Location_'):
this_id = text[len('Location_'):]
this_loc = Location.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_loc.name,location=this_loc
)[0]
elif text.startswith('StaffMember_'):
this_id = text[len('StaffMember_'):]
this_member = StaffMember.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_member.fullName,staffMember=this_member,
defaults={'user': getattr(this_member,'userAccount',None)}
)[0]
elif text.startswith('User_'):
this_id = text[len('User_'):]
this_user = User.objects.get(id=this_id)
return self.get_queryset().get_or_create(
name=this_user.get_full_name(),user=this_user,
defaults={'staffMember': getattr(this_user,'staffmember',None)}
)[0]
else:
return self.get_queryset().get_or_create(
name=text,staffMember=None,user=None,location=None
)[0]
else:
return super(TransactionPartyAutoComplete,self).create_object(text) | [
"def",
"create_object",
"(",
"self",
",",
"text",
")",
":",
"if",
"self",
".",
"create_field",
"==",
"'name'",
":",
"if",
"text",
".",
"startswith",
"(",
"'Location_'",
")",
":",
"this_id",
"=",
"text",
"[",
"len",
"(",
"'Location_'",
")",
":",
"]",
"this_loc",
"=",
"Location",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"this_id",
")",
"return",
"self",
".",
"get_queryset",
"(",
")",
".",
"get_or_create",
"(",
"name",
"=",
"this_loc",
".",
"name",
",",
"location",
"=",
"this_loc",
")",
"[",
"0",
"]",
"elif",
"text",
".",
"startswith",
"(",
"'StaffMember_'",
")",
":",
"this_id",
"=",
"text",
"[",
"len",
"(",
"'StaffMember_'",
")",
":",
"]",
"this_member",
"=",
"StaffMember",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"this_id",
")",
"return",
"self",
".",
"get_queryset",
"(",
")",
".",
"get_or_create",
"(",
"name",
"=",
"this_member",
".",
"fullName",
",",
"staffMember",
"=",
"this_member",
",",
"defaults",
"=",
"{",
"'user'",
":",
"getattr",
"(",
"this_member",
",",
"'userAccount'",
",",
"None",
")",
"}",
")",
"[",
"0",
"]",
"elif",
"text",
".",
"startswith",
"(",
"'User_'",
")",
":",
"this_id",
"=",
"text",
"[",
"len",
"(",
"'User_'",
")",
":",
"]",
"this_user",
"=",
"User",
".",
"objects",
".",
"get",
"(",
"id",
"=",
"this_id",
")",
"return",
"self",
".",
"get_queryset",
"(",
")",
".",
"get_or_create",
"(",
"name",
"=",
"this_user",
".",
"get_full_name",
"(",
")",
",",
"user",
"=",
"this_user",
",",
"defaults",
"=",
"{",
"'staffMember'",
":",
"getattr",
"(",
"this_user",
",",
"'staffmember'",
",",
"None",
")",
"}",
")",
"[",
"0",
"]",
"else",
":",
"return",
"self",
".",
"get_queryset",
"(",
")",
".",
"get_or_create",
"(",
"name",
"=",
"text",
",",
"staffMember",
"=",
"None",
",",
"user",
"=",
"None",
",",
"location",
"=",
"None",
")",
"[",
"0",
"]",
"else",
":",
"return",
"super",
"(",
"TransactionPartyAutoComplete",
",",
"self",
")",
".",
"create_object",
"(",
"text",
")"
] | Allow creation of transaction parties using a full name string. | [
"Allow",
"creation",
"of",
"transaction",
"parties",
"using",
"a",
"full",
"name",
"string",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/autocomplete_light_registry.py#L137-L166 |
3,588 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | has_group | def has_group(user, group_name):
'''
This allows specification group-based permissions in templates.
In most instances, creating model-based permissions and giving
them to the desired group is preferable.
'''
if user.groups.filter(name=group_name).exists():
return True
return False | python | def has_group(user, group_name):
'''
This allows specification group-based permissions in templates.
In most instances, creating model-based permissions and giving
them to the desired group is preferable.
'''
if user.groups.filter(name=group_name).exists():
return True
return False | [
"def",
"has_group",
"(",
"user",
",",
"group_name",
")",
":",
"if",
"user",
".",
"groups",
".",
"filter",
"(",
"name",
"=",
"group_name",
")",
".",
"exists",
"(",
")",
":",
"return",
"True",
"return",
"False"
] | This allows specification group-based permissions in templates.
In most instances, creating model-based permissions and giving
them to the desired group is preferable. | [
"This",
"allows",
"specification",
"group",
"-",
"based",
"permissions",
"in",
"templates",
".",
"In",
"most",
"instances",
"creating",
"model",
"-",
"based",
"permissions",
"and",
"giving",
"them",
"to",
"the",
"desired",
"group",
"is",
"preferable",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L53-L61 |
3,589 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | get_item_by_key | def get_item_by_key(passed_list, key, value):
'''
This one allows us to get one or more items from a list of
dictionaries based on the value of a specified key, where
both the key and the value can be variable names. Does
not work with None or null string passed values.
'''
if value in [None, '']:
return
if type(passed_list) in [QuerySet, PolymorphicQuerySet]:
sub_list = passed_list.filter(**{key: value})
else:
sub_list = [x for x in passed_list if x.get(key) == value]
if len(sub_list) == 1:
return sub_list[0]
return sub_list | python | def get_item_by_key(passed_list, key, value):
'''
This one allows us to get one or more items from a list of
dictionaries based on the value of a specified key, where
both the key and the value can be variable names. Does
not work with None or null string passed values.
'''
if value in [None, '']:
return
if type(passed_list) in [QuerySet, PolymorphicQuerySet]:
sub_list = passed_list.filter(**{key: value})
else:
sub_list = [x for x in passed_list if x.get(key) == value]
if len(sub_list) == 1:
return sub_list[0]
return sub_list | [
"def",
"get_item_by_key",
"(",
"passed_list",
",",
"key",
",",
"value",
")",
":",
"if",
"value",
"in",
"[",
"None",
",",
"''",
"]",
":",
"return",
"if",
"type",
"(",
"passed_list",
")",
"in",
"[",
"QuerySet",
",",
"PolymorphicQuerySet",
"]",
":",
"sub_list",
"=",
"passed_list",
".",
"filter",
"(",
"*",
"*",
"{",
"key",
":",
"value",
"}",
")",
"else",
":",
"sub_list",
"=",
"[",
"x",
"for",
"x",
"in",
"passed_list",
"if",
"x",
".",
"get",
"(",
"key",
")",
"==",
"value",
"]",
"if",
"len",
"(",
"sub_list",
")",
"==",
"1",
":",
"return",
"sub_list",
"[",
"0",
"]",
"return",
"sub_list"
] | This one allows us to get one or more items from a list of
dictionaries based on the value of a specified key, where
both the key and the value can be variable names. Does
not work with None or null string passed values. | [
"This",
"one",
"allows",
"us",
"to",
"get",
"one",
"or",
"more",
"items",
"from",
"a",
"list",
"of",
"dictionaries",
"based",
"on",
"the",
"value",
"of",
"a",
"specified",
"key",
"where",
"both",
"the",
"key",
"and",
"the",
"value",
"can",
"be",
"variable",
"names",
".",
"Does",
"not",
"work",
"with",
"None",
"or",
"null",
"string",
"passed",
"values",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L74-L92 |
3,590 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | get_field_for_object | def get_field_for_object(field_type, field_id, form):
'''
This tag allows one to get a specific series or event form field
in registration views.
'''
field_name = field_type + '_' + str(field_id)
return form.__getitem__(field_name) | python | def get_field_for_object(field_type, field_id, form):
'''
This tag allows one to get a specific series or event form field
in registration views.
'''
field_name = field_type + '_' + str(field_id)
return form.__getitem__(field_name) | [
"def",
"get_field_for_object",
"(",
"field_type",
",",
"field_id",
",",
"form",
")",
":",
"field_name",
"=",
"field_type",
"+",
"'_'",
"+",
"str",
"(",
"field_id",
")",
"return",
"form",
".",
"__getitem__",
"(",
"field_name",
")"
] | This tag allows one to get a specific series or event form field
in registration views. | [
"This",
"tag",
"allows",
"one",
"to",
"get",
"a",
"specific",
"series",
"or",
"event",
"form",
"field",
"in",
"registration",
"views",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L96-L102 |
3,591 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | template_exists | def template_exists(template_name):
'''
Determine if a given template exists so that it can be loaded
if so, or a default alternative can be used if not.
'''
try:
template.loader.get_template(template_name)
return True
except template.TemplateDoesNotExist:
return False | python | def template_exists(template_name):
'''
Determine if a given template exists so that it can be loaded
if so, or a default alternative can be used if not.
'''
try:
template.loader.get_template(template_name)
return True
except template.TemplateDoesNotExist:
return False | [
"def",
"template_exists",
"(",
"template_name",
")",
":",
"try",
":",
"template",
".",
"loader",
".",
"get_template",
"(",
"template_name",
")",
"return",
"True",
"except",
"template",
".",
"TemplateDoesNotExist",
":",
"return",
"False"
] | Determine if a given template exists so that it can be loaded
if so, or a default alternative can be used if not. | [
"Determine",
"if",
"a",
"given",
"template",
"exists",
"so",
"that",
"it",
"can",
"be",
"loaded",
"if",
"so",
"or",
"a",
"default",
"alternative",
"can",
"be",
"used",
"if",
"not",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L106-L115 |
3,592 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | numRegisteredForRole | def numRegisteredForRole(event, role):
'''
This tag allows one to access the number of registrations
for any dance role.
'''
if not isinstance(event, Event) or not isinstance(role, DanceRole):
return None
return event.numRegisteredForRole(role) | python | def numRegisteredForRole(event, role):
'''
This tag allows one to access the number of registrations
for any dance role.
'''
if not isinstance(event, Event) or not isinstance(role, DanceRole):
return None
return event.numRegisteredForRole(role) | [
"def",
"numRegisteredForRole",
"(",
"event",
",",
"role",
")",
":",
"if",
"not",
"isinstance",
"(",
"event",
",",
"Event",
")",
"or",
"not",
"isinstance",
"(",
"role",
",",
"DanceRole",
")",
":",
"return",
"None",
"return",
"event",
".",
"numRegisteredForRole",
"(",
"role",
")"
] | This tag allows one to access the number of registrations
for any dance role. | [
"This",
"tag",
"allows",
"one",
"to",
"access",
"the",
"number",
"of",
"registrations",
"for",
"any",
"dance",
"role",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L119-L126 |
3,593 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | soldOutForRole | def soldOutForRole(event, role):
'''
This tag allows one to determine whether any event is sold out for any
particular role.
'''
if not isinstance(event, Event) or not isinstance(role, DanceRole):
return None
return event.soldOutForRole(role) | python | def soldOutForRole(event, role):
'''
This tag allows one to determine whether any event is sold out for any
particular role.
'''
if not isinstance(event, Event) or not isinstance(role, DanceRole):
return None
return event.soldOutForRole(role) | [
"def",
"soldOutForRole",
"(",
"event",
",",
"role",
")",
":",
"if",
"not",
"isinstance",
"(",
"event",
",",
"Event",
")",
"or",
"not",
"isinstance",
"(",
"role",
",",
"DanceRole",
")",
":",
"return",
"None",
"return",
"event",
".",
"soldOutForRole",
"(",
"role",
")"
] | This tag allows one to determine whether any event is sold out for any
particular role. | [
"This",
"tag",
"allows",
"one",
"to",
"determine",
"whether",
"any",
"event",
"is",
"sold",
"out",
"for",
"any",
"particular",
"role",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L130-L137 |
3,594 | django-danceschool/django-danceschool | danceschool/core/templatetags/danceschool_tags.py | numRegisteredForRoleName | def numRegisteredForRoleName(event, roleName):
'''
This tag allows one to access the number of registrations
for any dance role using only the role's name.
'''
if not isinstance(event, Event):
return None
try:
role = DanceRole.objects.get(name=roleName)
except ObjectDoesNotExist:
return None
return event.numRegisteredForRole(role) | python | def numRegisteredForRoleName(event, roleName):
'''
This tag allows one to access the number of registrations
for any dance role using only the role's name.
'''
if not isinstance(event, Event):
return None
try:
role = DanceRole.objects.get(name=roleName)
except ObjectDoesNotExist:
return None
return event.numRegisteredForRole(role) | [
"def",
"numRegisteredForRoleName",
"(",
"event",
",",
"roleName",
")",
":",
"if",
"not",
"isinstance",
"(",
"event",
",",
"Event",
")",
":",
"return",
"None",
"try",
":",
"role",
"=",
"DanceRole",
".",
"objects",
".",
"get",
"(",
"name",
"=",
"roleName",
")",
"except",
"ObjectDoesNotExist",
":",
"return",
"None",
"return",
"event",
".",
"numRegisteredForRole",
"(",
"role",
")"
] | This tag allows one to access the number of registrations
for any dance role using only the role's name. | [
"This",
"tag",
"allows",
"one",
"to",
"access",
"the",
"number",
"of",
"registrations",
"for",
"any",
"dance",
"role",
"using",
"only",
"the",
"role",
"s",
"name",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/core/templatetags/danceschool_tags.py#L141-L154 |
3,595 | django-danceschool/django-danceschool | danceschool/vouchers/models.py | Voucher.create_new_code | def create_new_code(cls,**kwargs):
'''
Creates a new Voucher with a unique voucherId
'''
prefix = kwargs.pop('prefix','')
new = False
while not new:
# Standard is a ten-letter random string of uppercase letters
random_string = ''.join(random.choice(string.ascii_uppercase) for z in range(10))
if not Voucher.objects.filter(voucherId='%s%s' % (prefix, random_string)).exists():
new = True
return Voucher.objects.create(voucherId='%s%s' % (prefix, random_string),**kwargs) | python | def create_new_code(cls,**kwargs):
'''
Creates a new Voucher with a unique voucherId
'''
prefix = kwargs.pop('prefix','')
new = False
while not new:
# Standard is a ten-letter random string of uppercase letters
random_string = ''.join(random.choice(string.ascii_uppercase) for z in range(10))
if not Voucher.objects.filter(voucherId='%s%s' % (prefix, random_string)).exists():
new = True
return Voucher.objects.create(voucherId='%s%s' % (prefix, random_string),**kwargs) | [
"def",
"create_new_code",
"(",
"cls",
",",
"*",
"*",
"kwargs",
")",
":",
"prefix",
"=",
"kwargs",
".",
"pop",
"(",
"'prefix'",
",",
"''",
")",
"new",
"=",
"False",
"while",
"not",
"new",
":",
"# Standard is a ten-letter random string of uppercase letters",
"random_string",
"=",
"''",
".",
"join",
"(",
"random",
".",
"choice",
"(",
"string",
".",
"ascii_uppercase",
")",
"for",
"z",
"in",
"range",
"(",
"10",
")",
")",
"if",
"not",
"Voucher",
".",
"objects",
".",
"filter",
"(",
"voucherId",
"=",
"'%s%s'",
"%",
"(",
"prefix",
",",
"random_string",
")",
")",
".",
"exists",
"(",
")",
":",
"new",
"=",
"True",
"return",
"Voucher",
".",
"objects",
".",
"create",
"(",
"voucherId",
"=",
"'%s%s'",
"%",
"(",
"prefix",
",",
"random_string",
")",
",",
"*",
"*",
"kwargs",
")"
] | Creates a new Voucher with a unique voucherId | [
"Creates",
"a",
"new",
"Voucher",
"with",
"a",
"unique",
"voucherId"
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/vouchers/models.py#L66-L79 |
3,596 | django-danceschool/django-danceschool | danceschool/prerequisites/models.py | Requirement.customerMeetsRequirement | def customerMeetsRequirement(self, customer, danceRole=None, registration=None):
'''
This method checks whether a given customer meets a given set of requirements.
'''
cust_reqs = self.customerrequirement_set.filter(customer=customer,met=True)
if customer:
cust_priors = customer.eventregistration_set.filter(event__series__isnull=False)
else:
cust_priors = EventRegistration.objects.none()
# If there's an explicit object stating that this customer meets the requirement, then we're done.
if self.roleEnforced and danceRole and cust_reqs.filter(role=danceRole).exists():
return True
elif not self.roleEnforced and cust_reqs.exists():
return True
elif self.roleEnforced and not danceRole:
return False
# Go through each item for this requirement and see if the customer meets that item
for item in self.requirementitem_set.all():
filter_dict = {}
if item.requiredLevel:
filter_dict['event__series__classDescription__danceTypeLevel'] = item.requiredLevel
if item.requiredClass:
filter_dict['event__series__classDescription'] = item.requiredClass
if self.roleEnforced:
filter_dict['role'] = danceRole
current_matches = 0
overlap_matches = 0
nonconcurrent_filter = {'event__endTime__lte': timezone.now()}
if registration:
if isinstance(registration,Registration):
current_matches = registration.eventregistration_set.filter(**filter_dict).count()
elif isinstance(registration,TemporaryRegistration):
current_matches = registration.temporaryeventregistration_set.filter(**filter_dict).count()
nonconcurrent_filter = {'event__endTime__lte': registration.firstSeriesStartTime}
overlap_matches = cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.lastSeriesEndTime,
).count()
priors_matches = cust_priors.filter(**filter_dict).filter(**nonconcurrent_filter).count()
# The number of matches depends on the concurrency rule for this item
if item.concurrentRule == item.ConcurrencyRule.prohibited:
matches = priors_matches
elif item.concurrentRule == item.ConcurrencyRule.allowOneOverlapClass:
matches = priors_matches + \
cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.getTimeOfClassesRemaining(1)
).count()
elif item.concurrentRule == item.ConcurrencyRule.allowTwoOverlapClasses:
matches = priors_matches + \
cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.getTimeOfClassesRemaining(2)
).count()
elif item.concurrentRule == item.ConcurrencyRule.allowed:
matches = priors_matches + overlap_matches + \
(current_matches if isinstance(registration,TemporaryRegistration) else 0)
elif item.concurrentRule == item.ConcurrencyRule.required:
matches = overlap_matches + current_matches
if matches >= item.quantity:
# If this is an 'or' or a 'not' requirement, then we are done
if self.booleanRule == self.BooleanChoice.booleanOr:
return True
if self.booleanRule == self.BooleanChoice.booleanNot:
return False
else:
# If this is an 'and' requirement and we didn't meet, then we are done
if self.booleanRule == self.BooleanChoice.booleanAnd:
return False
# If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met
if self.booleanRule == self.BooleanChoice.booleanOr or self.requirementitem_set.count() == 0:
return False
return True | python | def customerMeetsRequirement(self, customer, danceRole=None, registration=None):
'''
This method checks whether a given customer meets a given set of requirements.
'''
cust_reqs = self.customerrequirement_set.filter(customer=customer,met=True)
if customer:
cust_priors = customer.eventregistration_set.filter(event__series__isnull=False)
else:
cust_priors = EventRegistration.objects.none()
# If there's an explicit object stating that this customer meets the requirement, then we're done.
if self.roleEnforced and danceRole and cust_reqs.filter(role=danceRole).exists():
return True
elif not self.roleEnforced and cust_reqs.exists():
return True
elif self.roleEnforced and not danceRole:
return False
# Go through each item for this requirement and see if the customer meets that item
for item in self.requirementitem_set.all():
filter_dict = {}
if item.requiredLevel:
filter_dict['event__series__classDescription__danceTypeLevel'] = item.requiredLevel
if item.requiredClass:
filter_dict['event__series__classDescription'] = item.requiredClass
if self.roleEnforced:
filter_dict['role'] = danceRole
current_matches = 0
overlap_matches = 0
nonconcurrent_filter = {'event__endTime__lte': timezone.now()}
if registration:
if isinstance(registration,Registration):
current_matches = registration.eventregistration_set.filter(**filter_dict).count()
elif isinstance(registration,TemporaryRegistration):
current_matches = registration.temporaryeventregistration_set.filter(**filter_dict).count()
nonconcurrent_filter = {'event__endTime__lte': registration.firstSeriesStartTime}
overlap_matches = cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.lastSeriesEndTime,
).count()
priors_matches = cust_priors.filter(**filter_dict).filter(**nonconcurrent_filter).count()
# The number of matches depends on the concurrency rule for this item
if item.concurrentRule == item.ConcurrencyRule.prohibited:
matches = priors_matches
elif item.concurrentRule == item.ConcurrencyRule.allowOneOverlapClass:
matches = priors_matches + \
cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.getTimeOfClassesRemaining(1)
).count()
elif item.concurrentRule == item.ConcurrencyRule.allowTwoOverlapClasses:
matches = priors_matches + \
cust_priors.filter(**filter_dict).exclude(**nonconcurrent_filter).filter(
event__startTime__lte=registration.getTimeOfClassesRemaining(2)
).count()
elif item.concurrentRule == item.ConcurrencyRule.allowed:
matches = priors_matches + overlap_matches + \
(current_matches if isinstance(registration,TemporaryRegistration) else 0)
elif item.concurrentRule == item.ConcurrencyRule.required:
matches = overlap_matches + current_matches
if matches >= item.quantity:
# If this is an 'or' or a 'not' requirement, then we are done
if self.booleanRule == self.BooleanChoice.booleanOr:
return True
if self.booleanRule == self.BooleanChoice.booleanNot:
return False
else:
# If this is an 'and' requirement and we didn't meet, then we are done
if self.booleanRule == self.BooleanChoice.booleanAnd:
return False
# If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met
if self.booleanRule == self.BooleanChoice.booleanOr or self.requirementitem_set.count() == 0:
return False
return True | [
"def",
"customerMeetsRequirement",
"(",
"self",
",",
"customer",
",",
"danceRole",
"=",
"None",
",",
"registration",
"=",
"None",
")",
":",
"cust_reqs",
"=",
"self",
".",
"customerrequirement_set",
".",
"filter",
"(",
"customer",
"=",
"customer",
",",
"met",
"=",
"True",
")",
"if",
"customer",
":",
"cust_priors",
"=",
"customer",
".",
"eventregistration_set",
".",
"filter",
"(",
"event__series__isnull",
"=",
"False",
")",
"else",
":",
"cust_priors",
"=",
"EventRegistration",
".",
"objects",
".",
"none",
"(",
")",
"# If there's an explicit object stating that this customer meets the requirement, then we're done.",
"if",
"self",
".",
"roleEnforced",
"and",
"danceRole",
"and",
"cust_reqs",
".",
"filter",
"(",
"role",
"=",
"danceRole",
")",
".",
"exists",
"(",
")",
":",
"return",
"True",
"elif",
"not",
"self",
".",
"roleEnforced",
"and",
"cust_reqs",
".",
"exists",
"(",
")",
":",
"return",
"True",
"elif",
"self",
".",
"roleEnforced",
"and",
"not",
"danceRole",
":",
"return",
"False",
"# Go through each item for this requirement and see if the customer meets that item",
"for",
"item",
"in",
"self",
".",
"requirementitem_set",
".",
"all",
"(",
")",
":",
"filter_dict",
"=",
"{",
"}",
"if",
"item",
".",
"requiredLevel",
":",
"filter_dict",
"[",
"'event__series__classDescription__danceTypeLevel'",
"]",
"=",
"item",
".",
"requiredLevel",
"if",
"item",
".",
"requiredClass",
":",
"filter_dict",
"[",
"'event__series__classDescription'",
"]",
"=",
"item",
".",
"requiredClass",
"if",
"self",
".",
"roleEnforced",
":",
"filter_dict",
"[",
"'role'",
"]",
"=",
"danceRole",
"current_matches",
"=",
"0",
"overlap_matches",
"=",
"0",
"nonconcurrent_filter",
"=",
"{",
"'event__endTime__lte'",
":",
"timezone",
".",
"now",
"(",
")",
"}",
"if",
"registration",
":",
"if",
"isinstance",
"(",
"registration",
",",
"Registration",
")",
":",
"current_matches",
"=",
"registration",
".",
"eventregistration_set",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"count",
"(",
")",
"elif",
"isinstance",
"(",
"registration",
",",
"TemporaryRegistration",
")",
":",
"current_matches",
"=",
"registration",
".",
"temporaryeventregistration_set",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"count",
"(",
")",
"nonconcurrent_filter",
"=",
"{",
"'event__endTime__lte'",
":",
"registration",
".",
"firstSeriesStartTime",
"}",
"overlap_matches",
"=",
"cust_priors",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"exclude",
"(",
"*",
"*",
"nonconcurrent_filter",
")",
".",
"filter",
"(",
"event__startTime__lte",
"=",
"registration",
".",
"lastSeriesEndTime",
",",
")",
".",
"count",
"(",
")",
"priors_matches",
"=",
"cust_priors",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"filter",
"(",
"*",
"*",
"nonconcurrent_filter",
")",
".",
"count",
"(",
")",
"# The number of matches depends on the concurrency rule for this item",
"if",
"item",
".",
"concurrentRule",
"==",
"item",
".",
"ConcurrencyRule",
".",
"prohibited",
":",
"matches",
"=",
"priors_matches",
"elif",
"item",
".",
"concurrentRule",
"==",
"item",
".",
"ConcurrencyRule",
".",
"allowOneOverlapClass",
":",
"matches",
"=",
"priors_matches",
"+",
"cust_priors",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"exclude",
"(",
"*",
"*",
"nonconcurrent_filter",
")",
".",
"filter",
"(",
"event__startTime__lte",
"=",
"registration",
".",
"getTimeOfClassesRemaining",
"(",
"1",
")",
")",
".",
"count",
"(",
")",
"elif",
"item",
".",
"concurrentRule",
"==",
"item",
".",
"ConcurrencyRule",
".",
"allowTwoOverlapClasses",
":",
"matches",
"=",
"priors_matches",
"+",
"cust_priors",
".",
"filter",
"(",
"*",
"*",
"filter_dict",
")",
".",
"exclude",
"(",
"*",
"*",
"nonconcurrent_filter",
")",
".",
"filter",
"(",
"event__startTime__lte",
"=",
"registration",
".",
"getTimeOfClassesRemaining",
"(",
"2",
")",
")",
".",
"count",
"(",
")",
"elif",
"item",
".",
"concurrentRule",
"==",
"item",
".",
"ConcurrencyRule",
".",
"allowed",
":",
"matches",
"=",
"priors_matches",
"+",
"overlap_matches",
"+",
"(",
"current_matches",
"if",
"isinstance",
"(",
"registration",
",",
"TemporaryRegistration",
")",
"else",
"0",
")",
"elif",
"item",
".",
"concurrentRule",
"==",
"item",
".",
"ConcurrencyRule",
".",
"required",
":",
"matches",
"=",
"overlap_matches",
"+",
"current_matches",
"if",
"matches",
">=",
"item",
".",
"quantity",
":",
"# If this is an 'or' or a 'not' requirement, then we are done",
"if",
"self",
".",
"booleanRule",
"==",
"self",
".",
"BooleanChoice",
".",
"booleanOr",
":",
"return",
"True",
"if",
"self",
".",
"booleanRule",
"==",
"self",
".",
"BooleanChoice",
".",
"booleanNot",
":",
"return",
"False",
"else",
":",
"# If this is an 'and' requirement and we didn't meet, then we are done",
"if",
"self",
".",
"booleanRule",
"==",
"self",
".",
"BooleanChoice",
".",
"booleanAnd",
":",
"return",
"False",
"# If we got this far, then either all 'and' requirements were met, or all 'or' and 'not' requirements were not met",
"if",
"self",
".",
"booleanRule",
"==",
"self",
".",
"BooleanChoice",
".",
"booleanOr",
"or",
"self",
".",
"requirementitem_set",
".",
"count",
"(",
")",
"==",
"0",
":",
"return",
"False",
"return",
"True"
] | This method checks whether a given customer meets a given set of requirements. | [
"This",
"method",
"checks",
"whether",
"a",
"given",
"customer",
"meets",
"a",
"given",
"set",
"of",
"requirements",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/prerequisites/models.py#L49-L129 |
3,597 | django-danceschool/django-danceschool | danceschool/financial/handlers.py | updateTransactionParty | def updateTransactionParty(sender,instance,**kwargs):
'''
If a User, StaffMember, or Location is updated, and there exists an associated
TransactionParty, then the name and other attributes of that party should be updated
to reflect the new information.
'''
if 'loaddata' in sys.argv or ('raw' in kwargs and kwargs['raw']):
return
logger.debug('TransactionParty signal fired for %s %s.' % (instance.__class__.__name__, instance.id))
party = getattr(instance,'transactionparty',None)
if party:
party.save(updateBy=instance) | python | def updateTransactionParty(sender,instance,**kwargs):
'''
If a User, StaffMember, or Location is updated, and there exists an associated
TransactionParty, then the name and other attributes of that party should be updated
to reflect the new information.
'''
if 'loaddata' in sys.argv or ('raw' in kwargs and kwargs['raw']):
return
logger.debug('TransactionParty signal fired for %s %s.' % (instance.__class__.__name__, instance.id))
party = getattr(instance,'transactionparty',None)
if party:
party.save(updateBy=instance) | [
"def",
"updateTransactionParty",
"(",
"sender",
",",
"instance",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'loaddata'",
"in",
"sys",
".",
"argv",
"or",
"(",
"'raw'",
"in",
"kwargs",
"and",
"kwargs",
"[",
"'raw'",
"]",
")",
":",
"return",
"logger",
".",
"debug",
"(",
"'TransactionParty signal fired for %s %s.'",
"%",
"(",
"instance",
".",
"__class__",
".",
"__name__",
",",
"instance",
".",
"id",
")",
")",
"party",
"=",
"getattr",
"(",
"instance",
",",
"'transactionparty'",
",",
"None",
")",
"if",
"party",
":",
"party",
".",
"save",
"(",
"updateBy",
"=",
"instance",
")"
] | If a User, StaffMember, or Location is updated, and there exists an associated
TransactionParty, then the name and other attributes of that party should be updated
to reflect the new information. | [
"If",
"a",
"User",
"StaffMember",
"or",
"Location",
"is",
"updated",
"and",
"there",
"exists",
"an",
"associated",
"TransactionParty",
"then",
"the",
"name",
"and",
"other",
"attributes",
"of",
"that",
"party",
"should",
"be",
"updated",
"to",
"reflect",
"the",
"new",
"information",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/financial/handlers.py#L151-L165 |
3,598 | django-danceschool/django-danceschool | danceschool/payments/square/tasks.py | updateSquareFees | def updateSquareFees(paymentRecord):
'''
The Square Checkout API does not calculate fees immediately, so this task is
called to be asynchronously run 1 minute after the initial transaction, so that
any Invoice or ExpenseItem associated with this transaction also remains accurate.
'''
fees = paymentRecord.netFees
invoice = paymentRecord.invoice
invoice.fees = fees
invoice.save()
invoice.allocateFees()
return fees | python | def updateSquareFees(paymentRecord):
'''
The Square Checkout API does not calculate fees immediately, so this task is
called to be asynchronously run 1 minute after the initial transaction, so that
any Invoice or ExpenseItem associated with this transaction also remains accurate.
'''
fees = paymentRecord.netFees
invoice = paymentRecord.invoice
invoice.fees = fees
invoice.save()
invoice.allocateFees()
return fees | [
"def",
"updateSquareFees",
"(",
"paymentRecord",
")",
":",
"fees",
"=",
"paymentRecord",
".",
"netFees",
"invoice",
"=",
"paymentRecord",
".",
"invoice",
"invoice",
".",
"fees",
"=",
"fees",
"invoice",
".",
"save",
"(",
")",
"invoice",
".",
"allocateFees",
"(",
")",
"return",
"fees"
] | The Square Checkout API does not calculate fees immediately, so this task is
called to be asynchronously run 1 minute after the initial transaction, so that
any Invoice or ExpenseItem associated with this transaction also remains accurate. | [
"The",
"Square",
"Checkout",
"API",
"does",
"not",
"calculate",
"fees",
"immediately",
"so",
"this",
"task",
"is",
"called",
"to",
"be",
"asynchronously",
"run",
"1",
"minute",
"after",
"the",
"initial",
"transaction",
"so",
"that",
"any",
"Invoice",
"or",
"ExpenseItem",
"associated",
"with",
"this",
"transaction",
"also",
"remains",
"accurate",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/payments/square/tasks.py#L5-L17 |
3,599 | django-danceschool/django-danceschool | danceschool/stats/stats.py | getClassTypeMonthlyData | def getClassTypeMonthlyData(year=None, series=None, typeLimit=None):
'''
To break out by class type and month simultaneously, get data for each
series and aggregate by class type.
'''
# If no year specified, report current year to date.
if not year:
year = timezone.now().year
role_list = DanceRole.objects.distinct()
# Report data on all students registered unless otherwise specified
if series not in ['registrations','studenthours'] and series not in [x.pluralName for x in role_list]:
series = 'registrations'
when_all = {
'eventregistration__dropIn': False,
'eventregistration__cancelled': False,
}
annotations = {'registrations': Sum(Case(When(Q(**when_all),then=1),output_field=FloatField()))}
for this_role in role_list:
annotations[this_role.pluralName] = Sum(Case(When(Q(Q(**when_all) & Q(eventregistration__role=this_role)),then=1),output_field=FloatField()))
series_counts = Series.objects.filter(year=year).annotate(**annotations).annotate(studenthours=F('duration') * F('registrations')).select_related('classDescription__danceTypeLevel__danceType','classDescription__danceTypeLevel')
# If no limit specified on number of types, then do not aggregate dance types.
# Otherwise, report the typeLimit most common types individually, and report all
# others as other. This gets tuples of names and counts
dance_type_counts = [(dance_type,count) for dance_type,count in Counter([x.classDescription.danceTypeLevel for x in series_counts]).items()]
dance_type_counts.sort(key=lambda k: k[1],reverse=True)
if typeLimit:
dance_types = [x[0] for x in dance_type_counts[:typeLimit]]
else:
dance_types = [x[0] for x in dance_type_counts]
results = []
# Month by month, calculate the result data
for month in range(1,13):
this_month_result = {
'month': month,
'month_name': month_name[month],
}
for dance_type in dance_types:
this_month_result[dance_type.__str__()] = \
series_counts.filter(classDescription__danceTypeLevel=dance_type,month=month).aggregate(Sum(series))['%s__sum' % series]
if typeLimit:
this_month_result['Other'] = \
series_counts.filter(month=month).exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series]
results.append(this_month_result)
# Now get totals
totals_result = {
'month': 'Totals',
'month_name': 'totals',
}
for dance_type in dance_types:
totals_result[dance_type.__str__()] = \
series_counts.filter(classDescription__danceTypeLevel=dance_type).aggregate(Sum(series))['%s__sum' % series]
if typeLimit:
totals_result['Other'] = \
series_counts.exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series]
results.append(totals_result)
return results | python | def getClassTypeMonthlyData(year=None, series=None, typeLimit=None):
'''
To break out by class type and month simultaneously, get data for each
series and aggregate by class type.
'''
# If no year specified, report current year to date.
if not year:
year = timezone.now().year
role_list = DanceRole.objects.distinct()
# Report data on all students registered unless otherwise specified
if series not in ['registrations','studenthours'] and series not in [x.pluralName for x in role_list]:
series = 'registrations'
when_all = {
'eventregistration__dropIn': False,
'eventregistration__cancelled': False,
}
annotations = {'registrations': Sum(Case(When(Q(**when_all),then=1),output_field=FloatField()))}
for this_role in role_list:
annotations[this_role.pluralName] = Sum(Case(When(Q(Q(**when_all) & Q(eventregistration__role=this_role)),then=1),output_field=FloatField()))
series_counts = Series.objects.filter(year=year).annotate(**annotations).annotate(studenthours=F('duration') * F('registrations')).select_related('classDescription__danceTypeLevel__danceType','classDescription__danceTypeLevel')
# If no limit specified on number of types, then do not aggregate dance types.
# Otherwise, report the typeLimit most common types individually, and report all
# others as other. This gets tuples of names and counts
dance_type_counts = [(dance_type,count) for dance_type,count in Counter([x.classDescription.danceTypeLevel for x in series_counts]).items()]
dance_type_counts.sort(key=lambda k: k[1],reverse=True)
if typeLimit:
dance_types = [x[0] for x in dance_type_counts[:typeLimit]]
else:
dance_types = [x[0] for x in dance_type_counts]
results = []
# Month by month, calculate the result data
for month in range(1,13):
this_month_result = {
'month': month,
'month_name': month_name[month],
}
for dance_type in dance_types:
this_month_result[dance_type.__str__()] = \
series_counts.filter(classDescription__danceTypeLevel=dance_type,month=month).aggregate(Sum(series))['%s__sum' % series]
if typeLimit:
this_month_result['Other'] = \
series_counts.filter(month=month).exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series]
results.append(this_month_result)
# Now get totals
totals_result = {
'month': 'Totals',
'month_name': 'totals',
}
for dance_type in dance_types:
totals_result[dance_type.__str__()] = \
series_counts.filter(classDescription__danceTypeLevel=dance_type).aggregate(Sum(series))['%s__sum' % series]
if typeLimit:
totals_result['Other'] = \
series_counts.exclude(classDescription__danceTypeLevel__in=dance_types).aggregate(Sum(series))['%s__sum' % series]
results.append(totals_result)
return results | [
"def",
"getClassTypeMonthlyData",
"(",
"year",
"=",
"None",
",",
"series",
"=",
"None",
",",
"typeLimit",
"=",
"None",
")",
":",
"# If no year specified, report current year to date.",
"if",
"not",
"year",
":",
"year",
"=",
"timezone",
".",
"now",
"(",
")",
".",
"year",
"role_list",
"=",
"DanceRole",
".",
"objects",
".",
"distinct",
"(",
")",
"# Report data on all students registered unless otherwise specified",
"if",
"series",
"not",
"in",
"[",
"'registrations'",
",",
"'studenthours'",
"]",
"and",
"series",
"not",
"in",
"[",
"x",
".",
"pluralName",
"for",
"x",
"in",
"role_list",
"]",
":",
"series",
"=",
"'registrations'",
"when_all",
"=",
"{",
"'eventregistration__dropIn'",
":",
"False",
",",
"'eventregistration__cancelled'",
":",
"False",
",",
"}",
"annotations",
"=",
"{",
"'registrations'",
":",
"Sum",
"(",
"Case",
"(",
"When",
"(",
"Q",
"(",
"*",
"*",
"when_all",
")",
",",
"then",
"=",
"1",
")",
",",
"output_field",
"=",
"FloatField",
"(",
")",
")",
")",
"}",
"for",
"this_role",
"in",
"role_list",
":",
"annotations",
"[",
"this_role",
".",
"pluralName",
"]",
"=",
"Sum",
"(",
"Case",
"(",
"When",
"(",
"Q",
"(",
"Q",
"(",
"*",
"*",
"when_all",
")",
"&",
"Q",
"(",
"eventregistration__role",
"=",
"this_role",
")",
")",
",",
"then",
"=",
"1",
")",
",",
"output_field",
"=",
"FloatField",
"(",
")",
")",
")",
"series_counts",
"=",
"Series",
".",
"objects",
".",
"filter",
"(",
"year",
"=",
"year",
")",
".",
"annotate",
"(",
"*",
"*",
"annotations",
")",
".",
"annotate",
"(",
"studenthours",
"=",
"F",
"(",
"'duration'",
")",
"*",
"F",
"(",
"'registrations'",
")",
")",
".",
"select_related",
"(",
"'classDescription__danceTypeLevel__danceType'",
",",
"'classDescription__danceTypeLevel'",
")",
"# If no limit specified on number of types, then do not aggregate dance types.",
"# Otherwise, report the typeLimit most common types individually, and report all",
"# others as other. This gets tuples of names and counts",
"dance_type_counts",
"=",
"[",
"(",
"dance_type",
",",
"count",
")",
"for",
"dance_type",
",",
"count",
"in",
"Counter",
"(",
"[",
"x",
".",
"classDescription",
".",
"danceTypeLevel",
"for",
"x",
"in",
"series_counts",
"]",
")",
".",
"items",
"(",
")",
"]",
"dance_type_counts",
".",
"sort",
"(",
"key",
"=",
"lambda",
"k",
":",
"k",
"[",
"1",
"]",
",",
"reverse",
"=",
"True",
")",
"if",
"typeLimit",
":",
"dance_types",
"=",
"[",
"x",
"[",
"0",
"]",
"for",
"x",
"in",
"dance_type_counts",
"[",
":",
"typeLimit",
"]",
"]",
"else",
":",
"dance_types",
"=",
"[",
"x",
"[",
"0",
"]",
"for",
"x",
"in",
"dance_type_counts",
"]",
"results",
"=",
"[",
"]",
"# Month by month, calculate the result data",
"for",
"month",
"in",
"range",
"(",
"1",
",",
"13",
")",
":",
"this_month_result",
"=",
"{",
"'month'",
":",
"month",
",",
"'month_name'",
":",
"month_name",
"[",
"month",
"]",
",",
"}",
"for",
"dance_type",
"in",
"dance_types",
":",
"this_month_result",
"[",
"dance_type",
".",
"__str__",
"(",
")",
"]",
"=",
"series_counts",
".",
"filter",
"(",
"classDescription__danceTypeLevel",
"=",
"dance_type",
",",
"month",
"=",
"month",
")",
".",
"aggregate",
"(",
"Sum",
"(",
"series",
")",
")",
"[",
"'%s__sum'",
"%",
"series",
"]",
"if",
"typeLimit",
":",
"this_month_result",
"[",
"'Other'",
"]",
"=",
"series_counts",
".",
"filter",
"(",
"month",
"=",
"month",
")",
".",
"exclude",
"(",
"classDescription__danceTypeLevel__in",
"=",
"dance_types",
")",
".",
"aggregate",
"(",
"Sum",
"(",
"series",
")",
")",
"[",
"'%s__sum'",
"%",
"series",
"]",
"results",
".",
"append",
"(",
"this_month_result",
")",
"# Now get totals",
"totals_result",
"=",
"{",
"'month'",
":",
"'Totals'",
",",
"'month_name'",
":",
"'totals'",
",",
"}",
"for",
"dance_type",
"in",
"dance_types",
":",
"totals_result",
"[",
"dance_type",
".",
"__str__",
"(",
")",
"]",
"=",
"series_counts",
".",
"filter",
"(",
"classDescription__danceTypeLevel",
"=",
"dance_type",
")",
".",
"aggregate",
"(",
"Sum",
"(",
"series",
")",
")",
"[",
"'%s__sum'",
"%",
"series",
"]",
"if",
"typeLimit",
":",
"totals_result",
"[",
"'Other'",
"]",
"=",
"series_counts",
".",
"exclude",
"(",
"classDescription__danceTypeLevel__in",
"=",
"dance_types",
")",
".",
"aggregate",
"(",
"Sum",
"(",
"series",
")",
")",
"[",
"'%s__sum'",
"%",
"series",
"]",
"results",
".",
"append",
"(",
"totals_result",
")",
"return",
"results"
] | To break out by class type and month simultaneously, get data for each
series and aggregate by class type. | [
"To",
"break",
"out",
"by",
"class",
"type",
"and",
"month",
"simultaneously",
"get",
"data",
"for",
"each",
"series",
"and",
"aggregate",
"by",
"class",
"type",
"."
] | bb08cbf39017a812a5a94bdb4ea34170bf1a30ba | https://github.com/django-danceschool/django-danceschool/blob/bb08cbf39017a812a5a94bdb4ea34170bf1a30ba/danceschool/stats/stats.py#L138-L211 |
Subsets and Splits