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
listlengths
20
707
docstring
stringlengths
3
17.3k
docstring_tokens
listlengths
3
222
sha
stringlengths
40
40
url
stringlengths
87
242
partition
stringclasses
1 value
idx
int64
0
252k
junzis/pyModeS
pyModeS/decoder/adsb.py
nic_v2
def nic_v2(msg, NICa, NICbc): """Calculate NIC, navigation integrity category, for ADS-B version 2 Args: msg (string): 28 bytes hexadecimal message string NICa (int or string): NIC supplement - A NICbc (int or srting): NIC supplement - B or C Returns: int or string: Horizontal Radius of Containment """ if typecode(msg) < 5 or typecode(msg) > 22: raise RuntimeError( "%s: Not a surface position message (5<TC<8), \ airborne position message (8<TC<19), \ or airborne position with GNSS height (20<TC<22)" % msg ) tc = typecode(msg) NIC = uncertainty.TC_NICv2_lookup[tc] if 20<=tc<=22: NICs = 0 else: NICs = NICa*2 + NICbc try: if isinstance(NIC, dict): NIC = NIC[NICs] Rc = uncertainty.NICv2[NIC][NICs]['Rc'] except KeyError: Rc = uncertainty.NA return Rc
python
def nic_v2(msg, NICa, NICbc): """Calculate NIC, navigation integrity category, for ADS-B version 2 Args: msg (string): 28 bytes hexadecimal message string NICa (int or string): NIC supplement - A NICbc (int or srting): NIC supplement - B or C Returns: int or string: Horizontal Radius of Containment """ if typecode(msg) < 5 or typecode(msg) > 22: raise RuntimeError( "%s: Not a surface position message (5<TC<8), \ airborne position message (8<TC<19), \ or airborne position with GNSS height (20<TC<22)" % msg ) tc = typecode(msg) NIC = uncertainty.TC_NICv2_lookup[tc] if 20<=tc<=22: NICs = 0 else: NICs = NICa*2 + NICbc try: if isinstance(NIC, dict): NIC = NIC[NICs] Rc = uncertainty.NICv2[NIC][NICs]['Rc'] except KeyError: Rc = uncertainty.NA return Rc
[ "def", "nic_v2", "(", "msg", ",", "NICa", ",", "NICbc", ")", ":", "if", "typecode", "(", "msg", ")", "<", "5", "or", "typecode", "(", "msg", ")", ">", "22", ":", "raise", "RuntimeError", "(", "\"%s: Not a surface position message (5<TC<8), \\\n airb...
Calculate NIC, navigation integrity category, for ADS-B version 2 Args: msg (string): 28 bytes hexadecimal message string NICa (int or string): NIC supplement - A NICbc (int or srting): NIC supplement - B or C Returns: int or string: Horizontal Radius of Containment
[ "Calculate", "NIC", "navigation", "integrity", "category", "for", "ADS", "-", "B", "version", "2" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L311-L345
train
229,400
junzis/pyModeS
pyModeS/decoder/adsb.py
nic_s
def nic_s(msg): """Obtain NIC supplement bit, TC=31 message Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICs number (0 or 1) """ tc = typecode(msg) if tc != 31: raise RuntimeError("%s: Not a status operation message, expecting TC = 31" % msg) msgbin = common.hex2bin(msg) nic_s = int(msgbin[75]) return nic_s
python
def nic_s(msg): """Obtain NIC supplement bit, TC=31 message Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICs number (0 or 1) """ tc = typecode(msg) if tc != 31: raise RuntimeError("%s: Not a status operation message, expecting TC = 31" % msg) msgbin = common.hex2bin(msg) nic_s = int(msgbin[75]) return nic_s
[ "def", "nic_s", "(", "msg", ")", ":", "tc", "=", "typecode", "(", "msg", ")", "if", "tc", "!=", "31", ":", "raise", "RuntimeError", "(", "\"%s: Not a status operation message, expecting TC = 31\"", "%", "msg", ")", "msgbin", "=", "common", ".", "hex2bin", "(...
Obtain NIC supplement bit, TC=31 message Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICs number (0 or 1)
[ "Obtain", "NIC", "supplement", "bit", "TC", "=", "31", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L348-L365
train
229,401
junzis/pyModeS
pyModeS/decoder/adsb.py
nic_b
def nic_b(msg): """Obtain NICb, navigation integrity category supplement-b Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICb number (0 or 1) """ tc = typecode(msg) if tc < 9 or tc > 18: raise RuntimeError("%s: Not a airborne position message, expecting 8<TC<19" % msg) msgbin = common.hex2bin(msg) nic_b = int(msgbin[39]) return nic_b
python
def nic_b(msg): """Obtain NICb, navigation integrity category supplement-b Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICb number (0 or 1) """ tc = typecode(msg) if tc < 9 or tc > 18: raise RuntimeError("%s: Not a airborne position message, expecting 8<TC<19" % msg) msgbin = common.hex2bin(msg) nic_b = int(msgbin[39]) return nic_b
[ "def", "nic_b", "(", "msg", ")", ":", "tc", "=", "typecode", "(", "msg", ")", "if", "tc", "<", "9", "or", "tc", ">", "18", ":", "raise", "RuntimeError", "(", "\"%s: Not a airborne position message, expecting 8<TC<19\"", "%", "msg", ")", "msgbin", "=", "com...
Obtain NICb, navigation integrity category supplement-b Args: msg (string): 28 bytes hexadecimal message string Returns: int: NICb number (0 or 1)
[ "Obtain", "NICb", "navigation", "integrity", "category", "supplement", "-", "b" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L389-L406
train
229,402
junzis/pyModeS
pyModeS/decoder/adsb.py
nac_p
def nac_p(msg): """Calculate NACp, Navigation Accuracy Category - Position Args: msg (string): 28 bytes hexadecimal message string, TC = 29 or 31 Returns: int or string: 95% horizontal accuracy bounds, Estimated Position Uncertainty int or string: 95% vertical accuracy bounds, Vertical Estimated Position Uncertainty """ tc = typecode(msg) if tc not in [29, 31]: raise RuntimeError("%s: Not a target state and status message, \ or operation status message, expecting TC = 29 or 31" % msg) msgbin = common.hex2bin(msg) if tc == 29: NACp = common.bin2int(msgbin[71:75]) elif tc == 31: NACp = common.bin2int(msgbin[76:80]) try: EPU = uncertainty.NACp[NACp]['EPU'] VEPU = uncertainty.NACp[NACp]['VEPU'] except KeyError: EPU, VEPU = uncertainty.NA, uncertainty.NA return EPU, VEPU
python
def nac_p(msg): """Calculate NACp, Navigation Accuracy Category - Position Args: msg (string): 28 bytes hexadecimal message string, TC = 29 or 31 Returns: int or string: 95% horizontal accuracy bounds, Estimated Position Uncertainty int or string: 95% vertical accuracy bounds, Vertical Estimated Position Uncertainty """ tc = typecode(msg) if tc not in [29, 31]: raise RuntimeError("%s: Not a target state and status message, \ or operation status message, expecting TC = 29 or 31" % msg) msgbin = common.hex2bin(msg) if tc == 29: NACp = common.bin2int(msgbin[71:75]) elif tc == 31: NACp = common.bin2int(msgbin[76:80]) try: EPU = uncertainty.NACp[NACp]['EPU'] VEPU = uncertainty.NACp[NACp]['VEPU'] except KeyError: EPU, VEPU = uncertainty.NA, uncertainty.NA return EPU, VEPU
[ "def", "nac_p", "(", "msg", ")", ":", "tc", "=", "typecode", "(", "msg", ")", "if", "tc", "not", "in", "[", "29", ",", "31", "]", ":", "raise", "RuntimeError", "(", "\"%s: Not a target state and status message, \\\n or operation status mess...
Calculate NACp, Navigation Accuracy Category - Position Args: msg (string): 28 bytes hexadecimal message string, TC = 29 or 31 Returns: int or string: 95% horizontal accuracy bounds, Estimated Position Uncertainty int or string: 95% vertical accuracy bounds, Vertical Estimated Position Uncertainty
[ "Calculate", "NACp", "Navigation", "Accuracy", "Category", "-", "Position" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L409-L438
train
229,403
junzis/pyModeS
pyModeS/decoder/adsb.py
nac_v
def nac_v(msg): """Calculate NACv, Navigation Accuracy Category - Velocity Args: msg (string): 28 bytes hexadecimal message string, TC = 19 Returns: int or string: 95% horizontal accuracy bounds for velocity, Horizontal Figure of Merit int or string: 95% vertical accuracy bounds for velocity, Vertical Figure of Merit """ tc = typecode(msg) if tc != 19: raise RuntimeError("%s: Not an airborne velocity message, expecting TC = 19" % msg) msgbin = common.hex2bin(msg) NACv = common.bin2int(msgbin[42:45]) try: HFOMr = uncertainty.NACv[NACv]['HFOMr'] VFOMr = uncertainty.NACv[NACv]['VFOMr'] except KeyError: HFOMr, VFOMr = uncertainty.NA, uncertainty.NA return HFOMr, VFOMr
python
def nac_v(msg): """Calculate NACv, Navigation Accuracy Category - Velocity Args: msg (string): 28 bytes hexadecimal message string, TC = 19 Returns: int or string: 95% horizontal accuracy bounds for velocity, Horizontal Figure of Merit int or string: 95% vertical accuracy bounds for velocity, Vertical Figure of Merit """ tc = typecode(msg) if tc != 19: raise RuntimeError("%s: Not an airborne velocity message, expecting TC = 19" % msg) msgbin = common.hex2bin(msg) NACv = common.bin2int(msgbin[42:45]) try: HFOMr = uncertainty.NACv[NACv]['HFOMr'] VFOMr = uncertainty.NACv[NACv]['VFOMr'] except KeyError: HFOMr, VFOMr = uncertainty.NA, uncertainty.NA return HFOMr, VFOMr
[ "def", "nac_v", "(", "msg", ")", ":", "tc", "=", "typecode", "(", "msg", ")", "if", "tc", "!=", "19", ":", "raise", "RuntimeError", "(", "\"%s: Not an airborne velocity message, expecting TC = 19\"", "%", "msg", ")", "msgbin", "=", "common", ".", "hex2bin", ...
Calculate NACv, Navigation Accuracy Category - Velocity Args: msg (string): 28 bytes hexadecimal message string, TC = 19 Returns: int or string: 95% horizontal accuracy bounds for velocity, Horizontal Figure of Merit int or string: 95% vertical accuracy bounds for velocity, Vertical Figure of Merit
[ "Calculate", "NACv", "Navigation", "Accuracy", "Category", "-", "Velocity" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L441-L465
train
229,404
junzis/pyModeS
pyModeS/decoder/adsb.py
sil
def sil(msg, version): """Calculate SIL, Surveillance Integrity Level Args: msg (string): 28 bytes hexadecimal message string with TC = 29, 31 Returns: int or string: Probability of exceeding Horizontal Radius of Containment RCu int or string: Probability of exceeding Vertical Integrity Containment Region VPL string: SIL supplement based on per "hour" or "sample", or 'unknown' """ tc = typecode(msg) if tc not in [29, 31]: raise RuntimeError("%s: Not a target state and status messag, \ or operation status message, expecting TC = 29 or 31" % msg) msgbin = common.hex2bin(msg) if tc == 29: SIL = common.bin2int(msgbin[76:78]) elif tc == 31: SIL = common.bin2int(msgbin[82:84]) try: PE_RCu = uncertainty.SIL[SIL]['PE_RCu'] PE_VPL = uncertainty.SIL[SIL]['PE_VPL'] except KeyError: PE_RCu, PE_VPL = uncertainty.NA, uncertainty.NA base = 'unknown' if version == 2: if tc == 29: SIL_SUP = common.bin2int(msgbin[39]) elif tc == 31: SIL_SUP = common.bin2int(msgbin[86]) if SIL_SUP == 0: base = "hour" elif SIL_SUP == 1: base = "sample" return PE_RCu, PE_VPL, base
python
def sil(msg, version): """Calculate SIL, Surveillance Integrity Level Args: msg (string): 28 bytes hexadecimal message string with TC = 29, 31 Returns: int or string: Probability of exceeding Horizontal Radius of Containment RCu int or string: Probability of exceeding Vertical Integrity Containment Region VPL string: SIL supplement based on per "hour" or "sample", or 'unknown' """ tc = typecode(msg) if tc not in [29, 31]: raise RuntimeError("%s: Not a target state and status messag, \ or operation status message, expecting TC = 29 or 31" % msg) msgbin = common.hex2bin(msg) if tc == 29: SIL = common.bin2int(msgbin[76:78]) elif tc == 31: SIL = common.bin2int(msgbin[82:84]) try: PE_RCu = uncertainty.SIL[SIL]['PE_RCu'] PE_VPL = uncertainty.SIL[SIL]['PE_VPL'] except KeyError: PE_RCu, PE_VPL = uncertainty.NA, uncertainty.NA base = 'unknown' if version == 2: if tc == 29: SIL_SUP = common.bin2int(msgbin[39]) elif tc == 31: SIL_SUP = common.bin2int(msgbin[86]) if SIL_SUP == 0: base = "hour" elif SIL_SUP == 1: base = "sample" return PE_RCu, PE_VPL, base
[ "def", "sil", "(", "msg", ",", "version", ")", ":", "tc", "=", "typecode", "(", "msg", ")", "if", "tc", "not", "in", "[", "29", ",", "31", "]", ":", "raise", "RuntimeError", "(", "\"%s: Not a target state and status messag, \\\n or oper...
Calculate SIL, Surveillance Integrity Level Args: msg (string): 28 bytes hexadecimal message string with TC = 29, 31 Returns: int or string: Probability of exceeding Horizontal Radius of Containment RCu int or string: Probability of exceeding Vertical Integrity Containment Region VPL string: SIL supplement based on per "hour" or "sample", or 'unknown'
[ "Calculate", "SIL", "Surveillance", "Integrity", "Level" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/adsb.py#L468-L511
train
229,405
junzis/pyModeS
pyModeS/decoder/bds/bds50.py
roll50
def roll50(msg): """Roll angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees, negative->left wing down, positive->right wing down """ d = hex2bin(data(msg)) if d[0] == '0': return None sign = int(d[1]) # 1 -> left wing down value = bin2int(d[2:11]) if sign: value = value - 512 angle = value * 45.0 / 256.0 # degree return round(angle, 1)
python
def roll50(msg): """Roll angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees, negative->left wing down, positive->right wing down """ d = hex2bin(data(msg)) if d[0] == '0': return None sign = int(d[1]) # 1 -> left wing down value = bin2int(d[2:11]) if sign: value = value - 512 angle = value * 45.0 / 256.0 # degree return round(angle, 1)
[ "def", "roll50", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "0", "]", "==", "'0'", ":", "return", "None", "sign", "=", "int", "(", "d", "[", "1", "]", ")", "# 1 -> left wing down", "value", "="...
Roll angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees, negative->left wing down, positive->right wing down
[ "Roll", "angle", "BDS", "5", "0", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds50.py#L76-L98
train
229,406
junzis/pyModeS
pyModeS/decoder/bds/bds50.py
trk50
def trk50(msg): """True track angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees to true north (from 0 to 360) """ d = hex2bin(data(msg)) if d[11] == '0': return None sign = int(d[12]) # 1 -> west value = bin2int(d[13:23]) if sign: value = value - 1024 trk = value * 90.0 / 512.0 # convert from [-180, 180] to [0, 360] if trk < 0: trk = 360 + trk return round(trk, 3)
python
def trk50(msg): """True track angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees to true north (from 0 to 360) """ d = hex2bin(data(msg)) if d[11] == '0': return None sign = int(d[12]) # 1 -> west value = bin2int(d[13:23]) if sign: value = value - 1024 trk = value * 90.0 / 512.0 # convert from [-180, 180] to [0, 360] if trk < 0: trk = 360 + trk return round(trk, 3)
[ "def", "trk50", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "11", "]", "==", "'0'", ":", "return", "None", "sign", "=", "int", "(", "d", "[", "12", "]", ")", "# 1 -> west", "value", "=", "bin2...
True track angle, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: float: angle in degrees to true north (from 0 to 360)
[ "True", "track", "angle", "BDS", "5", "0", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds50.py#L101-L127
train
229,407
junzis/pyModeS
pyModeS/decoder/bds/bds50.py
gs50
def gs50(msg): """Ground speed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: ground speed in knots """ d = hex2bin(data(msg)) if d[23] == '0': return None spd = bin2int(d[24:34]) * 2 # kts return spd
python
def gs50(msg): """Ground speed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: ground speed in knots """ d = hex2bin(data(msg)) if d[23] == '0': return None spd = bin2int(d[24:34]) * 2 # kts return spd
[ "def", "gs50", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "23", "]", "==", "'0'", ":", "return", "None", "spd", "=", "bin2int", "(", "d", "[", "24", ":", "34", "]", ")", "*", "2", "# kts", ...
Ground speed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: ground speed in knots
[ "Ground", "speed", "BDS", "5", "0", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds50.py#L130-L145
train
229,408
junzis/pyModeS
pyModeS/decoder/bds/bds50.py
tas50
def tas50(msg): """Aircraft true airspeed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: true airspeed in knots """ d = hex2bin(data(msg)) if d[45] == '0': return None tas = bin2int(d[46:56]) * 2 # kts return tas
python
def tas50(msg): """Aircraft true airspeed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: true airspeed in knots """ d = hex2bin(data(msg)) if d[45] == '0': return None tas = bin2int(d[46:56]) * 2 # kts return tas
[ "def", "tas50", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "45", "]", "==", "'0'", ":", "return", "None", "tas", "=", "bin2int", "(", "d", "[", "46", ":", "56", "]", ")", "*", "2", "# kts",...
Aircraft true airspeed, BDS 5,0 message Args: msg (String): 28 bytes hexadecimal message (BDS50) string Returns: int: true airspeed in knots
[ "Aircraft", "true", "airspeed", "BDS", "5", "0", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds50.py#L174-L189
train
229,409
junzis/pyModeS
pyModeS/decoder/bds/bds53.py
ias53
def ias53(msg): """Indicated airspeed, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: int: indicated arispeed in knots """ d = hex2bin(data(msg)) if d[12] == '0': return None ias = bin2int(d[13:23]) # knots return ias
python
def ias53(msg): """Indicated airspeed, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: int: indicated arispeed in knots """ d = hex2bin(data(msg)) if d[12] == '0': return None ias = bin2int(d[13:23]) # knots return ias
[ "def", "ias53", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "12", "]", "==", "'0'", ":", "return", "None", "ias", "=", "bin2int", "(", "d", "[", "13", ":", "23", "]", ")", "# knots", "return",...
Indicated airspeed, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: int: indicated arispeed in knots
[ "Indicated", "airspeed", "DBS", "5", "3", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds53.py#L106-L121
train
229,410
junzis/pyModeS
pyModeS/decoder/bds/bds53.py
mach53
def mach53(msg): """MACH number, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: MACH number """ d = hex2bin(data(msg)) if d[23] == '0': return None mach = bin2int(d[24:33]) * 0.008 return round(mach, 3)
python
def mach53(msg): """MACH number, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: MACH number """ d = hex2bin(data(msg)) if d[23] == '0': return None mach = bin2int(d[24:33]) * 0.008 return round(mach, 3)
[ "def", "mach53", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "23", "]", "==", "'0'", ":", "return", "None", "mach", "=", "bin2int", "(", "d", "[", "24", ":", "33", "]", ")", "*", "0.008", "r...
MACH number, DBS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: MACH number
[ "MACH", "number", "DBS", "5", "3", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds53.py#L124-L139
train
229,411
junzis/pyModeS
pyModeS/decoder/bds/bds53.py
tas53
def tas53(msg): """Aircraft true airspeed, BDS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: true airspeed in knots """ d = hex2bin(data(msg)) if d[33] == '0': return None tas = bin2int(d[34:46]) * 0.5 # kts return round(tas, 1)
python
def tas53(msg): """Aircraft true airspeed, BDS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: true airspeed in knots """ d = hex2bin(data(msg)) if d[33] == '0': return None tas = bin2int(d[34:46]) * 0.5 # kts return round(tas, 1)
[ "def", "tas53", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "33", "]", "==", "'0'", ":", "return", "None", "tas", "=", "bin2int", "(", "d", "[", "34", ":", "46", "]", ")", "*", "0.5", "# kts...
Aircraft true airspeed, BDS 5,3 message Args: msg (String): 28 bytes hexadecimal message Returns: float: true airspeed in knots
[ "Aircraft", "true", "airspeed", "BDS", "5", "3", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds53.py#L142-L157
train
229,412
junzis/pyModeS
pyModeS/extra/tcpclient.py
BaseClient.read_skysense_buffer
def read_skysense_buffer(self): """Skysense stream format. :: ---------------------------------------------------------------------------------- Field SS MS MS MS MS MS MS MS MS MS MS MS MS MS MS TS TS TS TS TS TS RS RS RS ---------------------------------------------------------------------------------- Position: 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 ---------------------------------------------------------------------------------- SS field - Start character Position 0: 1 byte = 8 bits Start character '$' MS field - Payload Postion 1 through 14: 14 bytes = 112 bits Mode-S payload In case of DF types that only carry 7 bytes of information position 8 through 14 are set to 0x00. TS field - Time stamp Position 15 through 20: 6 bytes = 48 bits Time stamp with fields as: Lock Status - Status of internal time keeping mechanism Equal to 1 if operating normally Bit 47 - 1 bit Time of day in UTC seconds, between 0 and 86399 Bits 46 through 30 - 17 bits Nanoseconds into current second, between 0 and 999999999 Bits 29 through 0 - 30 bits RS field - Signal Level Position 21 through 23: 3 bytes = 24 bits RSSI (received signal strength indication) and relative noise level with fields RNL, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is and indication of the noise level of the message. Roughly 40 counts per 10dBm. Bits 23 through 12 - 12 bits RSSI, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is an indication of the signal level of the received message in ADC counts. Roughly 40 counts per 10dBm. Bits 11 through 0 - 12 bits """ SS_MSGLENGTH = 24 SS_STARTCHAR = 0x24 if len(self.buffer) <= SS_MSGLENGTH: return None messages = [] while len(self.buffer) > SS_MSGLENGTH: i = 0 if self.buffer[i] == SS_STARTCHAR and self.buffer[i+SS_MSGLENGTH] == SS_STARTCHAR: i += 1 if (self.buffer[i]>>7): #Long message payload = self.buffer[i:i+14] else: #Short message payload = self.buffer[i:i+7] msg = ''.join('%02X' % j for j in payload) i += 14 #Both message types use 14 bytes tsbin = self.buffer[i:i+6] sec = ( (tsbin[0] & 0x7f) << 10) | (tsbin[1] << 2 ) | (tsbin[2] >> 6) nano = ( (tsbin[2] & 0x3f) << 24) | (tsbin[3] << 16) | (tsbin[4] << 8) | tsbin[5] ts = sec + nano*1.0e-9 i += 6 #Signal and noise level - Don't care for now i += 3 self.buffer = self.buffer[SS_MSGLENGTH:] messages.append( [msg,ts] ) else: self.buffer = self.buffer[1:] return messages
python
def read_skysense_buffer(self): """Skysense stream format. :: ---------------------------------------------------------------------------------- Field SS MS MS MS MS MS MS MS MS MS MS MS MS MS MS TS TS TS TS TS TS RS RS RS ---------------------------------------------------------------------------------- Position: 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 ---------------------------------------------------------------------------------- SS field - Start character Position 0: 1 byte = 8 bits Start character '$' MS field - Payload Postion 1 through 14: 14 bytes = 112 bits Mode-S payload In case of DF types that only carry 7 bytes of information position 8 through 14 are set to 0x00. TS field - Time stamp Position 15 through 20: 6 bytes = 48 bits Time stamp with fields as: Lock Status - Status of internal time keeping mechanism Equal to 1 if operating normally Bit 47 - 1 bit Time of day in UTC seconds, between 0 and 86399 Bits 46 through 30 - 17 bits Nanoseconds into current second, between 0 and 999999999 Bits 29 through 0 - 30 bits RS field - Signal Level Position 21 through 23: 3 bytes = 24 bits RSSI (received signal strength indication) and relative noise level with fields RNL, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is and indication of the noise level of the message. Roughly 40 counts per 10dBm. Bits 23 through 12 - 12 bits RSSI, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is an indication of the signal level of the received message in ADC counts. Roughly 40 counts per 10dBm. Bits 11 through 0 - 12 bits """ SS_MSGLENGTH = 24 SS_STARTCHAR = 0x24 if len(self.buffer) <= SS_MSGLENGTH: return None messages = [] while len(self.buffer) > SS_MSGLENGTH: i = 0 if self.buffer[i] == SS_STARTCHAR and self.buffer[i+SS_MSGLENGTH] == SS_STARTCHAR: i += 1 if (self.buffer[i]>>7): #Long message payload = self.buffer[i:i+14] else: #Short message payload = self.buffer[i:i+7] msg = ''.join('%02X' % j for j in payload) i += 14 #Both message types use 14 bytes tsbin = self.buffer[i:i+6] sec = ( (tsbin[0] & 0x7f) << 10) | (tsbin[1] << 2 ) | (tsbin[2] >> 6) nano = ( (tsbin[2] & 0x3f) << 24) | (tsbin[3] << 16) | (tsbin[4] << 8) | tsbin[5] ts = sec + nano*1.0e-9 i += 6 #Signal and noise level - Don't care for now i += 3 self.buffer = self.buffer[SS_MSGLENGTH:] messages.append( [msg,ts] ) else: self.buffer = self.buffer[1:] return messages
[ "def", "read_skysense_buffer", "(", "self", ")", ":", "SS_MSGLENGTH", "=", "24", "SS_STARTCHAR", "=", "0x24", "if", "len", "(", "self", ".", "buffer", ")", "<=", "SS_MSGLENGTH", ":", "return", "None", "messages", "=", "[", "]", "while", "len", "(", "self...
Skysense stream format. :: ---------------------------------------------------------------------------------- Field SS MS MS MS MS MS MS MS MS MS MS MS MS MS MS TS TS TS TS TS TS RS RS RS ---------------------------------------------------------------------------------- Position: 0 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 ---------------------------------------------------------------------------------- SS field - Start character Position 0: 1 byte = 8 bits Start character '$' MS field - Payload Postion 1 through 14: 14 bytes = 112 bits Mode-S payload In case of DF types that only carry 7 bytes of information position 8 through 14 are set to 0x00. TS field - Time stamp Position 15 through 20: 6 bytes = 48 bits Time stamp with fields as: Lock Status - Status of internal time keeping mechanism Equal to 1 if operating normally Bit 47 - 1 bit Time of day in UTC seconds, between 0 and 86399 Bits 46 through 30 - 17 bits Nanoseconds into current second, between 0 and 999999999 Bits 29 through 0 - 30 bits RS field - Signal Level Position 21 through 23: 3 bytes = 24 bits RSSI (received signal strength indication) and relative noise level with fields RNL, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is and indication of the noise level of the message. Roughly 40 counts per 10dBm. Bits 23 through 12 - 12 bits RSSI, Q12.4 unsigned fixed point binary with 4 fractional bits and 8 integer bits. This is an indication of the signal level of the received message in ADC counts. Roughly 40 counts per 10dBm. Bits 11 through 0 - 12 bits
[ "Skysense", "stream", "format", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/tcpclient.py#L147-L233
train
229,413
junzis/pyModeS
pyModeS/decoder/bds/bds10.py
is10
def is10(msg): """Check if a message is likely to be BDS code 1,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # first 8 bits must be 0x10 if d[0:8] != '00010000': return False # bit 10 to 14 are reserved if bin2int(d[9:14]) != 0: return False # overlay capabilty conflict if d[14] == '1' and bin2int(d[16:23]) < 5: return False if d[14] == '0' and bin2int(d[16:23]) > 4: return False return True
python
def is10(msg): """Check if a message is likely to be BDS code 1,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # first 8 bits must be 0x10 if d[0:8] != '00010000': return False # bit 10 to 14 are reserved if bin2int(d[9:14]) != 0: return False # overlay capabilty conflict if d[14] == '1' and bin2int(d[16:23]) < 5: return False if d[14] == '0' and bin2int(d[16:23]) > 4: return False return True
[ "def", "is10", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "# first 8 bits must be 0x10", "if", "d", "[", "0", ":", "8", "]", "!=", "'00010000'", ":", "ret...
Check if a message is likely to be BDS code 1,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "1", "0" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds10.py#L24-L53
train
229,414
junzis/pyModeS
pyModeS/decoder/bds/bds17.py
is17
def is17(msg): """Check if a message is likely to be BDS code 1,7 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) if bin2int(d[28:56]) != 0: return False caps = cap17(msg) # basic BDS codes for ADS-B shall be supported # assuming ADS-B out is installed (2017EU/2020US mandate) # if not set(['BDS05', 'BDS06', 'BDS08', 'BDS09', 'BDS20']).issubset(caps): # return False # at least you can respond who you are if 'BDS20' not in caps: return False return True
python
def is17(msg): """Check if a message is likely to be BDS code 1,7 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) if bin2int(d[28:56]) != 0: return False caps = cap17(msg) # basic BDS codes for ADS-B shall be supported # assuming ADS-B out is installed (2017EU/2020US mandate) # if not set(['BDS05', 'BDS06', 'BDS08', 'BDS09', 'BDS20']).issubset(caps): # return False # at least you can respond who you are if 'BDS20' not in caps: return False return True
[ "def", "is17", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "bin2int", "(", "d", "[", "28", ":", "56", "]", ")", "!=", "0", ":", "return", "Fals...
Check if a message is likely to be BDS code 1,7 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "1", "7" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds17.py#L27-L56
train
229,415
junzis/pyModeS
pyModeS/decoder/bds/bds17.py
cap17
def cap17(msg): """Extract capacities from BDS 1,7 message Args: msg (String): 28 bytes hexadecimal message string Returns: list: list of suport BDS codes """ allbds = ['05', '06', '07', '08', '09', '0A', '20', '21', '40', '41', '42', '43', '44', '45', '48', '50', '51', '52', '53', '54', '55', '56', '5F', '60', 'NA', 'NA', 'E1', 'E2'] d = hex2bin(data(msg)) idx = [i for i, v in enumerate(d[:28]) if v=='1'] capacity = ['BDS'+allbds[i] for i in idx if allbds[i] is not 'NA'] return capacity
python
def cap17(msg): """Extract capacities from BDS 1,7 message Args: msg (String): 28 bytes hexadecimal message string Returns: list: list of suport BDS codes """ allbds = ['05', '06', '07', '08', '09', '0A', '20', '21', '40', '41', '42', '43', '44', '45', '48', '50', '51', '52', '53', '54', '55', '56', '5F', '60', 'NA', 'NA', 'E1', 'E2'] d = hex2bin(data(msg)) idx = [i for i, v in enumerate(d[:28]) if v=='1'] capacity = ['BDS'+allbds[i] for i in idx if allbds[i] is not 'NA'] return capacity
[ "def", "cap17", "(", "msg", ")", ":", "allbds", "=", "[", "'05'", ",", "'06'", ",", "'07'", ",", "'08'", ",", "'09'", ",", "'0A'", ",", "'20'", ",", "'21'", ",", "'40'", ",", "'41'", ",", "'42'", ",", "'43'", ",", "'44'", ",", "'45'", ",", "'...
Extract capacities from BDS 1,7 message Args: msg (String): 28 bytes hexadecimal message string Returns: list: list of suport BDS codes
[ "Extract", "capacities", "from", "BDS", "1", "7", "message" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds17.py#L58-L75
train
229,416
junzis/pyModeS
pyModeS/streamer/stream.py
Stream.get_aircraft
def get_aircraft(self): """all aircraft that are stored in memeory""" acs = self.acs icaos = list(acs.keys()) for icao in icaos: if acs[icao]['lat'] is None: acs.pop(icao) return acs
python
def get_aircraft(self): """all aircraft that are stored in memeory""" acs = self.acs icaos = list(acs.keys()) for icao in icaos: if acs[icao]['lat'] is None: acs.pop(icao) return acs
[ "def", "get_aircraft", "(", "self", ")", ":", "acs", "=", "self", ".", "acs", "icaos", "=", "list", "(", "acs", ".", "keys", "(", ")", ")", "for", "icao", "in", "icaos", ":", "if", "acs", "[", "icao", "]", "[", "'lat'", "]", "is", "None", ":", ...
all aircraft that are stored in memeory
[ "all", "aircraft", "that", "are", "stored", "in", "memeory" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/streamer/stream.py#L248-L255
train
229,417
junzis/pyModeS
pyModeS/decoder/bds/bds09.py
altitude_diff
def altitude_diff(msg): """Decode the differece between GNSS and barometric altitude Args: msg (string): 28 bytes hexadecimal message string, TC=19 Returns: int: Altitude difference in ft. Negative value indicates GNSS altitude below barometric altitude. """ tc = common.typecode(msg) if tc != 19: raise RuntimeError("%s: Not a airborne velocity message, expecting TC=19" % msg) msgbin = common.hex2bin(msg) sign = -1 if int(msgbin[80]) else 1 value = common.bin2int(msgbin[81:88]) if value == 0 or value == 127: return None else: return sign * (value - 1) * 25
python
def altitude_diff(msg): """Decode the differece between GNSS and barometric altitude Args: msg (string): 28 bytes hexadecimal message string, TC=19 Returns: int: Altitude difference in ft. Negative value indicates GNSS altitude below barometric altitude. """ tc = common.typecode(msg) if tc != 19: raise RuntimeError("%s: Not a airborne velocity message, expecting TC=19" % msg) msgbin = common.hex2bin(msg) sign = -1 if int(msgbin[80]) else 1 value = common.bin2int(msgbin[81:88]) if value == 0 or value == 127: return None else: return sign * (value - 1) * 25
[ "def", "altitude_diff", "(", "msg", ")", ":", "tc", "=", "common", ".", "typecode", "(", "msg", ")", "if", "tc", "!=", "19", ":", "raise", "RuntimeError", "(", "\"%s: Not a airborne velocity message, expecting TC=19\"", "%", "msg", ")", "msgbin", "=", "common"...
Decode the differece between GNSS and barometric altitude Args: msg (string): 28 bytes hexadecimal message string, TC=19 Returns: int: Altitude difference in ft. Negative value indicates GNSS altitude below barometric altitude.
[ "Decode", "the", "differece", "between", "GNSS", "and", "barometric", "altitude" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds09.py#L93-L115
train
229,418
junzis/pyModeS
pyModeS/decoder/bds/__init__.py
is50or60
def is50or60(msg, spd_ref, trk_ref, alt_ref): """Use reference ground speed and trk to determine BDS50 and DBS60. Args: msg (String): 28 bytes hexadecimal message string spd_ref (float): reference speed (ADS-B ground speed), kts trk_ref (float): reference track (ADS-B track angle), deg alt_ref (float): reference altitude (ADS-B altitude), ft Returns: String or None: BDS version, or possible versions, or None if nothing matches. """ def vxy(v, angle): vx = v * np.sin(np.radians(angle)) vy = v * np.cos(np.radians(angle)) return vx, vy if not (bds50.is50(msg) and bds60.is60(msg)): return None h50 = bds50.trk50(msg) v50 = bds50.gs50(msg) if h50 is None or v50 is None: return 'BDS50,BDS60' h60 = bds60.hdg60(msg) m60 = bds60.mach60(msg) i60 = bds60.ias60(msg) if h60 is None or (m60 is None and i60 is None): return 'BDS50,BDS60' m60 = np.nan if m60 is None else m60 i60 = np.nan if i60 is None else i60 XY5 = vxy(v50*aero.kts, h50) XY6m = vxy(aero.mach2tas(m60, alt_ref*aero.ft), h60) XY6i = vxy(aero.cas2tas(i60*aero.kts, alt_ref*aero.ft), h60) allbds = ['BDS50', 'BDS60', 'BDS60'] X = np.array([XY5, XY6m, XY6i]) Mu = np.array(vxy(spd_ref*aero.kts, trk_ref)) # compute Mahalanobis distance matrix # Cov = [[20**2, 0], [0, 20**2]] # mmatrix = np.sqrt(np.dot(np.dot(X-Mu, np.linalg.inv(Cov)), (X-Mu).T)) # dist = np.diag(mmatrix) # since the covariance matrix is identity matrix, # M-dist is same as eculidian distance try: dist = np.linalg.norm(X-Mu, axis=1) BDS = allbds[np.nanargmin(dist)] except ValueError: return 'BDS50,BDS60' return BDS
python
def is50or60(msg, spd_ref, trk_ref, alt_ref): """Use reference ground speed and trk to determine BDS50 and DBS60. Args: msg (String): 28 bytes hexadecimal message string spd_ref (float): reference speed (ADS-B ground speed), kts trk_ref (float): reference track (ADS-B track angle), deg alt_ref (float): reference altitude (ADS-B altitude), ft Returns: String or None: BDS version, or possible versions, or None if nothing matches. """ def vxy(v, angle): vx = v * np.sin(np.radians(angle)) vy = v * np.cos(np.radians(angle)) return vx, vy if not (bds50.is50(msg) and bds60.is60(msg)): return None h50 = bds50.trk50(msg) v50 = bds50.gs50(msg) if h50 is None or v50 is None: return 'BDS50,BDS60' h60 = bds60.hdg60(msg) m60 = bds60.mach60(msg) i60 = bds60.ias60(msg) if h60 is None or (m60 is None and i60 is None): return 'BDS50,BDS60' m60 = np.nan if m60 is None else m60 i60 = np.nan if i60 is None else i60 XY5 = vxy(v50*aero.kts, h50) XY6m = vxy(aero.mach2tas(m60, alt_ref*aero.ft), h60) XY6i = vxy(aero.cas2tas(i60*aero.kts, alt_ref*aero.ft), h60) allbds = ['BDS50', 'BDS60', 'BDS60'] X = np.array([XY5, XY6m, XY6i]) Mu = np.array(vxy(spd_ref*aero.kts, trk_ref)) # compute Mahalanobis distance matrix # Cov = [[20**2, 0], [0, 20**2]] # mmatrix = np.sqrt(np.dot(np.dot(X-Mu, np.linalg.inv(Cov)), (X-Mu).T)) # dist = np.diag(mmatrix) # since the covariance matrix is identity matrix, # M-dist is same as eculidian distance try: dist = np.linalg.norm(X-Mu, axis=1) BDS = allbds[np.nanargmin(dist)] except ValueError: return 'BDS50,BDS60' return BDS
[ "def", "is50or60", "(", "msg", ",", "spd_ref", ",", "trk_ref", ",", "alt_ref", ")", ":", "def", "vxy", "(", "v", ",", "angle", ")", ":", "vx", "=", "v", "*", "np", ".", "sin", "(", "np", ".", "radians", "(", "angle", ")", ")", "vy", "=", "v",...
Use reference ground speed and trk to determine BDS50 and DBS60. Args: msg (String): 28 bytes hexadecimal message string spd_ref (float): reference speed (ADS-B ground speed), kts trk_ref (float): reference track (ADS-B track angle), deg alt_ref (float): reference altitude (ADS-B altitude), ft Returns: String or None: BDS version, or possible versions, or None if nothing matches.
[ "Use", "reference", "ground", "speed", "and", "trk", "to", "determine", "BDS50", "and", "DBS60", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/__init__.py#L30-L89
train
229,419
junzis/pyModeS
pyModeS/decoder/bds/__init__.py
infer
def infer(msg, mrar=False): """Estimate the most likely BDS code of an message. Args: msg (String): 28 bytes hexadecimal message string mrar (bool): Also infer MRAR (BDS 44) and MHR (BDS 45). Defaults to False. Returns: String or None: BDS version, or possible versions, or None if nothing matches. """ df = common.df(msg) if common.allzeros(msg): return 'EMPTY' # For ADS-B / Mode-S extended squitter if df == 17: tc = common.typecode(msg) if 1 <= tc <= 4: return 'BDS08' # indentification and category if 5 <= tc <= 8: return 'BDS06' # surface movement if 9 <= tc <= 18: return 'BDS05' # airborne position, baro-alt if tc == 19: return 'BDS09' # airborne velocity if 20 <= tc <= 22: return 'BDS05' # airborne position, gnss-alt if tc == 28: return 'BDS61' # aircraft status if tc == 29: return 'BDS62' # target state and status if tc == 31: return 'BDS65' # operational status # For Comm-B replies IS10 = bds10.is10(msg) IS17 = bds17.is17(msg) IS20 = bds20.is20(msg) IS30 = bds30.is30(msg) IS40 = bds40.is40(msg) IS50 = bds50.is50(msg) IS60 = bds60.is60(msg) IS44 = bds44.is44(msg) IS45 = bds45.is45(msg) if mrar: allbds = np.array(["BDS10", "BDS17", "BDS20", "BDS30", "BDS40", "BDS44", "BDS45", "BDS50", "BDS60"]) mask = [IS10, IS17, IS20, IS30, IS40, IS44, IS45, IS50, IS60] else: allbds = np.array(["BDS10", "BDS17", "BDS20", "BDS30", "BDS40", "BDS50", "BDS60"]) mask = [IS10, IS17, IS20, IS30, IS40, IS50, IS60] bds = ','.join(sorted(allbds[mask])) if len(bds) == 0: return None else: return bds
python
def infer(msg, mrar=False): """Estimate the most likely BDS code of an message. Args: msg (String): 28 bytes hexadecimal message string mrar (bool): Also infer MRAR (BDS 44) and MHR (BDS 45). Defaults to False. Returns: String or None: BDS version, or possible versions, or None if nothing matches. """ df = common.df(msg) if common.allzeros(msg): return 'EMPTY' # For ADS-B / Mode-S extended squitter if df == 17: tc = common.typecode(msg) if 1 <= tc <= 4: return 'BDS08' # indentification and category if 5 <= tc <= 8: return 'BDS06' # surface movement if 9 <= tc <= 18: return 'BDS05' # airborne position, baro-alt if tc == 19: return 'BDS09' # airborne velocity if 20 <= tc <= 22: return 'BDS05' # airborne position, gnss-alt if tc == 28: return 'BDS61' # aircraft status if tc == 29: return 'BDS62' # target state and status if tc == 31: return 'BDS65' # operational status # For Comm-B replies IS10 = bds10.is10(msg) IS17 = bds17.is17(msg) IS20 = bds20.is20(msg) IS30 = bds30.is30(msg) IS40 = bds40.is40(msg) IS50 = bds50.is50(msg) IS60 = bds60.is60(msg) IS44 = bds44.is44(msg) IS45 = bds45.is45(msg) if mrar: allbds = np.array(["BDS10", "BDS17", "BDS20", "BDS30", "BDS40", "BDS44", "BDS45", "BDS50", "BDS60"]) mask = [IS10, IS17, IS20, IS30, IS40, IS44, IS45, IS50, IS60] else: allbds = np.array(["BDS10", "BDS17", "BDS20", "BDS30", "BDS40", "BDS50", "BDS60"]) mask = [IS10, IS17, IS20, IS30, IS40, IS50, IS60] bds = ','.join(sorted(allbds[mask])) if len(bds) == 0: return None else: return bds
[ "def", "infer", "(", "msg", ",", "mrar", "=", "False", ")", ":", "df", "=", "common", ".", "df", "(", "msg", ")", "if", "common", ".", "allzeros", "(", "msg", ")", ":", "return", "'EMPTY'", "# For ADS-B / Mode-S extended squitter", "if", "df", "==", "1...
Estimate the most likely BDS code of an message. Args: msg (String): 28 bytes hexadecimal message string mrar (bool): Also infer MRAR (BDS 44) and MHR (BDS 45). Defaults to False. Returns: String or None: BDS version, or possible versions, or None if nothing matches.
[ "Estimate", "the", "most", "likely", "BDS", "code", "of", "an", "message", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/__init__.py#L92-L154
train
229,420
junzis/pyModeS
pyModeS/decoder/bds/bds40.py
is40
def is40(msg): """Check if a message is likely to be BDS code 4,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 14, and 27 if wrongstatus(d, 1, 2, 13): return False if wrongstatus(d, 14, 15, 26): return False if wrongstatus(d, 27, 28, 39): return False if wrongstatus(d, 48, 49, 51): return False if wrongstatus(d, 54, 55, 56): return False # bits 40-47 and 52-53 shall all be zero if bin2int(d[39:47]) != 0: return False if bin2int(d[51:53]) != 0: return False return True
python
def is40(msg): """Check if a message is likely to be BDS code 4,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 14, and 27 if wrongstatus(d, 1, 2, 13): return False if wrongstatus(d, 14, 15, 26): return False if wrongstatus(d, 27, 28, 39): return False if wrongstatus(d, 48, 49, 51): return False if wrongstatus(d, 54, 55, 56): return False # bits 40-47 and 52-53 shall all be zero if bin2int(d[39:47]) != 0: return False if bin2int(d[51:53]) != 0: return False return True
[ "def", "is40", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "# status bit 1, 14, and 27", "if", "wrongstatus", "(", "d", ",", "1", ",", "2", ",", "13", ")",...
Check if a message is likely to be BDS code 4,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "4", "0" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds40.py#L25-L65
train
229,421
junzis/pyModeS
pyModeS/decoder/bds/bds40.py
alt40fms
def alt40fms(msg): """Selected altitude, FMS Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: int: altitude in feet """ d = hex2bin(data(msg)) if d[13] == '0': return None alt = bin2int(d[14:26]) * 16 # ft return alt
python
def alt40fms(msg): """Selected altitude, FMS Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: int: altitude in feet """ d = hex2bin(data(msg)) if d[13] == '0': return None alt = bin2int(d[14:26]) * 16 # ft return alt
[ "def", "alt40fms", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "13", "]", "==", "'0'", ":", "return", "None", "alt", "=", "bin2int", "(", "d", "[", "14", ":", "26", "]", ")", "*", "16", "# f...
Selected altitude, FMS Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: int: altitude in feet
[ "Selected", "altitude", "FMS" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds40.py#L86-L101
train
229,422
junzis/pyModeS
pyModeS/decoder/bds/bds40.py
p40baro
def p40baro(msg): """Barometric pressure setting Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: float: pressure in millibar """ d = hex2bin(data(msg)) if d[26] == '0': return None p = bin2int(d[27:39]) * 0.1 + 800 # millibar return p
python
def p40baro(msg): """Barometric pressure setting Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: float: pressure in millibar """ d = hex2bin(data(msg)) if d[26] == '0': return None p = bin2int(d[27:39]) * 0.1 + 800 # millibar return p
[ "def", "p40baro", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "26", "]", "==", "'0'", ":", "return", "None", "p", "=", "bin2int", "(", "d", "[", "27", ":", "39", "]", ")", "*", "0.1", "+", ...
Barometric pressure setting Args: msg (String): 28 bytes hexadecimal message (BDS40) string Returns: float: pressure in millibar
[ "Barometric", "pressure", "setting" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds40.py#L104-L119
train
229,423
junzis/pyModeS
pyModeS/decoder/bds/bds44.py
is44
def is44(msg): """Check if a message is likely to be BDS code 4,4. Meteorological routine air report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 5, 35, 47, 50 if wrongstatus(d, 5, 6, 23): return False if wrongstatus(d, 35, 36, 46): return False if wrongstatus(d, 47, 48, 49): return False if wrongstatus(d, 50, 51, 56): return False # Bits 1-4 indicate source, values > 4 reserved and should not occur if bin2int(d[0:4]) > 4: return False vw = wind44(msg) if vw is not None and vw[0] > 250: return False temp, temp2 = temp44(msg) if min(temp, temp2) > 60 or max(temp, temp2) < -80: return False return True
python
def is44(msg): """Check if a message is likely to be BDS code 4,4. Meteorological routine air report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 5, 35, 47, 50 if wrongstatus(d, 5, 6, 23): return False if wrongstatus(d, 35, 36, 46): return False if wrongstatus(d, 47, 48, 49): return False if wrongstatus(d, 50, 51, 56): return False # Bits 1-4 indicate source, values > 4 reserved and should not occur if bin2int(d[0:4]) > 4: return False vw = wind44(msg) if vw is not None and vw[0] > 250: return False temp, temp2 = temp44(msg) if min(temp, temp2) > 60 or max(temp, temp2) < -80: return False return True
[ "def", "is44", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "# status bit 5, 35, 47, 50", "if", "wrongstatus", "(", "d", ",", "5", ",", "6", ",", "23", ")",...
Check if a message is likely to be BDS code 4,4. Meteorological routine air report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "4", "4", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds44.py#L25-L67
train
229,424
junzis/pyModeS
pyModeS/decoder/bds/bds44.py
wind44
def wind44(msg): """Wind speed and direction. Args: msg (String): 28 bytes hexadecimal message string Returns: (int, float): speed (kt), direction (degree) """ d = hex2bin(data(msg)) status = int(d[4]) if not status: return None speed = bin2int(d[5:14]) # knots direction = bin2int(d[14:23]) * 180.0 / 256.0 # degree return round(speed, 0), round(direction, 1)
python
def wind44(msg): """Wind speed and direction. Args: msg (String): 28 bytes hexadecimal message string Returns: (int, float): speed (kt), direction (degree) """ d = hex2bin(data(msg)) status = int(d[4]) if not status: return None speed = bin2int(d[5:14]) # knots direction = bin2int(d[14:23]) * 180.0 / 256.0 # degree return round(speed, 0), round(direction, 1)
[ "def", "wind44", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "status", "=", "int", "(", "d", "[", "4", "]", ")", "if", "not", "status", ":", "return", "None", "speed", "=", "bin2int", "(", "d", "[", "5", ":",...
Wind speed and direction. Args: msg (String): 28 bytes hexadecimal message string Returns: (int, float): speed (kt), direction (degree)
[ "Wind", "speed", "and", "direction", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds44.py#L70-L89
train
229,425
junzis/pyModeS
pyModeS/decoder/bds/bds44.py
p44
def p44(msg): """Static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa """ d = hex2bin(data(msg)) if d[34] == '0': return None p = bin2int(d[35:46]) # hPa return p
python
def p44(msg): """Static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa """ d = hex2bin(data(msg)) if d[34] == '0': return None p = bin2int(d[35:46]) # hPa return p
[ "def", "p44", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "34", "]", "==", "'0'", ":", "return", "None", "p", "=", "bin2int", "(", "d", "[", "35", ":", "46", "]", ")", "# hPa", "return", "p"...
Static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa
[ "Static", "pressure", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds44.py#L121-L138
train
229,426
junzis/pyModeS
pyModeS/decoder/bds/bds60.py
is60
def is60(msg): """Check if a message is likely to be BDS code 6,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 13, 24, 35, 46 if wrongstatus(d, 1, 2, 12): return False if wrongstatus(d, 13, 14, 23): return False if wrongstatus(d, 24, 25, 34): return False if wrongstatus(d, 35, 36, 45): return False if wrongstatus(d, 46, 47, 56): return False ias = ias60(msg) if ias is not None and ias > 500: return False mach = mach60(msg) if mach is not None and mach > 1: return False vr_baro = vr60baro(msg) if vr_baro is not None and abs(vr_baro) > 6000: return False vr_ins = vr60ins(msg) if vr_ins is not None and abs(vr_ins) > 6000: return False return True
python
def is60(msg): """Check if a message is likely to be BDS code 6,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 13, 24, 35, 46 if wrongstatus(d, 1, 2, 12): return False if wrongstatus(d, 13, 14, 23): return False if wrongstatus(d, 24, 25, 34): return False if wrongstatus(d, 35, 36, 45): return False if wrongstatus(d, 46, 47, 56): return False ias = ias60(msg) if ias is not None and ias > 500: return False mach = mach60(msg) if mach is not None and mach > 1: return False vr_baro = vr60baro(msg) if vr_baro is not None and abs(vr_baro) > 6000: return False vr_ins = vr60ins(msg) if vr_ins is not None and abs(vr_ins) > 6000: return False return True
[ "def", "is60", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "# status bit 1, 13, 24, 35, 46", "if", "wrongstatus", "(", "d", ",", "1", ",", "2", ",", "12", ...
Check if a message is likely to be BDS code 6,0 Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "6", "0" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds60.py#L24-L72
train
229,427
junzis/pyModeS
pyModeS/decoder/bds/bds60.py
hdg60
def hdg60(msg): """Megnetic heading of aircraft Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: heading in degrees to megnetic north (from 0 to 360) """ d = hex2bin(data(msg)) if d[0] == '0': return None sign = int(d[1]) # 1 -> west value = bin2int(d[2:12]) if sign: value = value - 1024 hdg = value * 90 / 512.0 # degree # convert from [-180, 180] to [0, 360] if hdg < 0: hdg = 360 + hdg return round(hdg, 3)
python
def hdg60(msg): """Megnetic heading of aircraft Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: heading in degrees to megnetic north (from 0 to 360) """ d = hex2bin(data(msg)) if d[0] == '0': return None sign = int(d[1]) # 1 -> west value = bin2int(d[2:12]) if sign: value = value - 1024 hdg = value * 90 / 512.0 # degree # convert from [-180, 180] to [0, 360] if hdg < 0: hdg = 360 + hdg return round(hdg, 3)
[ "def", "hdg60", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "0", "]", "==", "'0'", ":", "return", "None", "sign", "=", "int", "(", "d", "[", "1", "]", ")", "# 1 -> west", "value", "=", "bin2in...
Megnetic heading of aircraft Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: heading in degrees to megnetic north (from 0 to 360)
[ "Megnetic", "heading", "of", "aircraft" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds60.py#L75-L101
train
229,428
junzis/pyModeS
pyModeS/decoder/bds/bds60.py
mach60
def mach60(msg): """Aircraft MACH number Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: MACH number """ d = hex2bin(data(msg)) if d[23] == '0': return None mach = bin2int(d[24:34]) * 2.048 / 512.0 return round(mach, 3)
python
def mach60(msg): """Aircraft MACH number Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: MACH number """ d = hex2bin(data(msg)) if d[23] == '0': return None mach = bin2int(d[24:34]) * 2.048 / 512.0 return round(mach, 3)
[ "def", "mach60", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "23", "]", "==", "'0'", ":", "return", "None", "mach", "=", "bin2int", "(", "d", "[", "24", ":", "34", "]", ")", "*", "2.048", "/...
Aircraft MACH number Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: float: MACH number
[ "Aircraft", "MACH", "number" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds60.py#L122-L137
train
229,429
junzis/pyModeS
pyModeS/decoder/bds/bds60.py
vr60baro
def vr60baro(msg): """Vertical rate from barometric measurement, this value may be very noisy. Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: int: vertical rate in feet/minutes """ d = hex2bin(data(msg)) if d[34] == '0': return None sign = int(d[35]) # 1 -> negative value, two's complement value = bin2int(d[36:45]) if value == 0 or value == 511: # all zeros or all ones return 0 value = value - 512 if sign else value roc = value * 32 # feet/min return roc
python
def vr60baro(msg): """Vertical rate from barometric measurement, this value may be very noisy. Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: int: vertical rate in feet/minutes """ d = hex2bin(data(msg)) if d[34] == '0': return None sign = int(d[35]) # 1 -> negative value, two's complement value = bin2int(d[36:45]) if value == 0 or value == 511: # all zeros or all ones return 0 value = value - 512 if sign else value roc = value * 32 # feet/min return roc
[ "def", "vr60baro", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "34", "]", "==", "'0'", ":", "return", "None", "sign", "=", "int", "(", "d", "[", "35", "]", ")", "# 1 -> negative value, two's complem...
Vertical rate from barometric measurement, this value may be very noisy. Args: msg (String): 28 bytes hexadecimal message (BDS60) string Returns: int: vertical rate in feet/minutes
[ "Vertical", "rate", "from", "barometric", "measurement", "this", "value", "may", "be", "very", "noisy", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds60.py#L140-L163
train
229,430
junzis/pyModeS
pyModeS/decoder/bds/bds45.py
is45
def is45(msg): """Check if a message is likely to be BDS code 4,5. Meteorological hazard report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 4, 7, 10, 13, 16, 27, 39 if wrongstatus(d, 1, 2, 3): return False if wrongstatus(d, 4, 5, 6): return False if wrongstatus(d, 7, 8, 9): return False if wrongstatus(d, 10, 11, 12): return False if wrongstatus(d, 13, 14, 15): return False if wrongstatus(d, 16, 17, 26): return False if wrongstatus(d, 27, 28, 38): return False if wrongstatus(d, 39, 40, 51): return False # reserved if bin2int(d[51:56]) != 0: return False temp = temp45(msg) if temp: if temp > 60 or temp < -80: return False return True
python
def is45(msg): """Check if a message is likely to be BDS code 4,5. Meteorological hazard report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False """ if allzeros(msg): return False d = hex2bin(data(msg)) # status bit 1, 4, 7, 10, 13, 16, 27, 39 if wrongstatus(d, 1, 2, 3): return False if wrongstatus(d, 4, 5, 6): return False if wrongstatus(d, 7, 8, 9): return False if wrongstatus(d, 10, 11, 12): return False if wrongstatus(d, 13, 14, 15): return False if wrongstatus(d, 16, 17, 26): return False if wrongstatus(d, 27, 28, 38): return False if wrongstatus(d, 39, 40, 51): return False # reserved if bin2int(d[51:56]) != 0: return False temp = temp45(msg) if temp: if temp > 60 or temp < -80: return False return True
[ "def", "is45", "(", "msg", ")", ":", "if", "allzeros", "(", "msg", ")", ":", "return", "False", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "# status bit 1, 4, 7, 10, 13, 16, 27, 39", "if", "wrongstatus", "(", "d", ",", "1", ",", "2", ",", ...
Check if a message is likely to be BDS code 4,5. Meteorological hazard report Args: msg (String): 28 bytes hexadecimal message string Returns: bool: True or False
[ "Check", "if", "a", "message", "is", "likely", "to", "be", "BDS", "code", "4", "5", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds45.py#L25-L76
train
229,431
junzis/pyModeS
pyModeS/decoder/bds/bds45.py
ws45
def ws45(msg): """Wind shear. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wind shear level. 0=NIL, 1=Light, 2=Moderate, 3=Severe """ d = hex2bin(data(msg)) if d[3] == '0': return None ws = bin2int(d[4:6]) return ws
python
def ws45(msg): """Wind shear. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wind shear level. 0=NIL, 1=Light, 2=Moderate, 3=Severe """ d = hex2bin(data(msg)) if d[3] == '0': return None ws = bin2int(d[4:6]) return ws
[ "def", "ws45", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "3", "]", "==", "'0'", ":", "return", "None", "ws", "=", "bin2int", "(", "d", "[", "4", ":", "6", "]", ")", "return", "ws" ]
Wind shear. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wind shear level. 0=NIL, 1=Light, 2=Moderate, 3=Severe
[ "Wind", "shear", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds45.py#L97-L112
train
229,432
junzis/pyModeS
pyModeS/decoder/bds/bds45.py
wv45
def wv45(msg): """Wake vortex. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wake vortex level. 0=NIL, 1=Light, 2=Moderate, 3=Severe """ d = hex2bin(data(msg)) if d[12] == '0': return None ws = bin2int(d[13:15]) return ws
python
def wv45(msg): """Wake vortex. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wake vortex level. 0=NIL, 1=Light, 2=Moderate, 3=Severe """ d = hex2bin(data(msg)) if d[12] == '0': return None ws = bin2int(d[13:15]) return ws
[ "def", "wv45", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "12", "]", "==", "'0'", ":", "return", "None", "ws", "=", "bin2int", "(", "d", "[", "13", ":", "15", "]", ")", "return", "ws" ]
Wake vortex. Args: msg (String): 28 bytes hexadecimal message string Returns: int: Wake vortex level. 0=NIL, 1=Light, 2=Moderate, 3=Severe
[ "Wake", "vortex", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds45.py#L151-L166
train
229,433
junzis/pyModeS
pyModeS/decoder/bds/bds45.py
p45
def p45(msg): """Average static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa """ d = hex2bin(data(msg)) if d[26] == '0': return None p = bin2int(d[27:38]) # hPa return p
python
def p45(msg): """Average static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa """ d = hex2bin(data(msg)) if d[26] == '0': return None p = bin2int(d[27:38]) # hPa return p
[ "def", "p45", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "26", "]", "==", "'0'", ":", "return", "None", "p", "=", "bin2int", "(", "d", "[", "27", ":", "38", "]", ")", "# hPa", "return", "p"...
Average static pressure. Args: msg (String): 28 bytes hexadecimal message string Returns: int: static pressure in hPa
[ "Average", "static", "pressure", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds45.py#L193-L207
train
229,434
junzis/pyModeS
pyModeS/decoder/bds/bds45.py
rh45
def rh45(msg): """Radio height. Args: msg (String): 28 bytes hexadecimal message string Returns: int: radio height in ft """ d = hex2bin(data(msg)) if d[38] == '0': return None rh = bin2int(d[39:51]) * 16 return rh
python
def rh45(msg): """Radio height. Args: msg (String): 28 bytes hexadecimal message string Returns: int: radio height in ft """ d = hex2bin(data(msg)) if d[38] == '0': return None rh = bin2int(d[39:51]) * 16 return rh
[ "def", "rh45", "(", "msg", ")", ":", "d", "=", "hex2bin", "(", "data", "(", "msg", ")", ")", "if", "d", "[", "38", "]", "==", "'0'", ":", "return", "None", "rh", "=", "bin2int", "(", "d", "[", "39", ":", "51", "]", ")", "*", "16", "return",...
Radio height. Args: msg (String): 28 bytes hexadecimal message string Returns: int: radio height in ft
[ "Radio", "height", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/decoder/bds/bds45.py#L210-L224
train
229,435
junzis/pyModeS
pyModeS/extra/aero.py
vsound
def vsound(H): """Speed of sound""" T = temperature(H) a = np.sqrt(gamma * R * T) return a
python
def vsound(H): """Speed of sound""" T = temperature(H) a = np.sqrt(gamma * R * T) return a
[ "def", "vsound", "(", "H", ")", ":", "T", "=", "temperature", "(", "H", ")", "a", "=", "np", ".", "sqrt", "(", "gamma", "*", "R", "*", "T", ")", "return", "a" ]
Speed of sound
[ "Speed", "of", "sound" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L78-L82
train
229,436
junzis/pyModeS
pyModeS/extra/aero.py
distance
def distance(lat1, lon1, lat2, lon2, H=0): """ Compute spherical distance from spherical coordinates. For two locations in spherical coordinates (1, theta, phi) and (1, theta', phi') cosine( arc length ) = sin phi sin phi' cos(theta-theta') + cos phi cos phi' distance = rho * arc length """ # phi = 90 - latitude phi1 = np.radians(90.0 - lat1) phi2 = np.radians(90.0 - lat2) # theta = longitude theta1 = np.radians(lon1) theta2 = np.radians(lon2) cos = np.sin(phi1) * np.sin(phi2) * np.cos(theta1 - theta2) + np.cos(phi1) * np.cos(phi2) cos = np.where(cos>1, 1, cos) arc = np.arccos(cos) dist = arc * (r_earth + H) # meters, radius of earth return dist
python
def distance(lat1, lon1, lat2, lon2, H=0): """ Compute spherical distance from spherical coordinates. For two locations in spherical coordinates (1, theta, phi) and (1, theta', phi') cosine( arc length ) = sin phi sin phi' cos(theta-theta') + cos phi cos phi' distance = rho * arc length """ # phi = 90 - latitude phi1 = np.radians(90.0 - lat1) phi2 = np.radians(90.0 - lat2) # theta = longitude theta1 = np.radians(lon1) theta2 = np.radians(lon2) cos = np.sin(phi1) * np.sin(phi2) * np.cos(theta1 - theta2) + np.cos(phi1) * np.cos(phi2) cos = np.where(cos>1, 1, cos) arc = np.arccos(cos) dist = arc * (r_earth + H) # meters, radius of earth return dist
[ "def", "distance", "(", "lat1", ",", "lon1", ",", "lat2", ",", "lon2", ",", "H", "=", "0", ")", ":", "# phi = 90 - latitude", "phi1", "=", "np", ".", "radians", "(", "90.0", "-", "lat1", ")", "phi2", "=", "np", ".", "radians", "(", "90.0", "-", "...
Compute spherical distance from spherical coordinates. For two locations in spherical coordinates (1, theta, phi) and (1, theta', phi') cosine( arc length ) = sin phi sin phi' cos(theta-theta') + cos phi cos phi' distance = rho * arc length
[ "Compute", "spherical", "distance", "from", "spherical", "coordinates", "." ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L85-L109
train
229,437
junzis/pyModeS
pyModeS/extra/aero.py
tas2mach
def tas2mach(Vtas, H): """True Airspeed to Mach number""" a = vsound(H) Mach = Vtas/a return Mach
python
def tas2mach(Vtas, H): """True Airspeed to Mach number""" a = vsound(H) Mach = Vtas/a return Mach
[ "def", "tas2mach", "(", "Vtas", ",", "H", ")", ":", "a", "=", "vsound", "(", "H", ")", "Mach", "=", "Vtas", "/", "a", "return", "Mach" ]
True Airspeed to Mach number
[ "True", "Airspeed", "to", "Mach", "number" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L129-L133
train
229,438
junzis/pyModeS
pyModeS/extra/aero.py
mach2tas
def mach2tas(Mach, H): """Mach number to True Airspeed""" a = vsound(H) Vtas = Mach*a return Vtas
python
def mach2tas(Mach, H): """Mach number to True Airspeed""" a = vsound(H) Vtas = Mach*a return Vtas
[ "def", "mach2tas", "(", "Mach", ",", "H", ")", ":", "a", "=", "vsound", "(", "H", ")", "Vtas", "=", "Mach", "*", "a", "return", "Vtas" ]
Mach number to True Airspeed
[ "Mach", "number", "to", "True", "Airspeed" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L136-L140
train
229,439
junzis/pyModeS
pyModeS/extra/aero.py
tas2eas
def tas2eas(Vtas, H): """True Airspeed to Equivalent Airspeed""" rho = density(H) Veas = Vtas * np.sqrt(rho/rho0) return Veas
python
def tas2eas(Vtas, H): """True Airspeed to Equivalent Airspeed""" rho = density(H) Veas = Vtas * np.sqrt(rho/rho0) return Veas
[ "def", "tas2eas", "(", "Vtas", ",", "H", ")", ":", "rho", "=", "density", "(", "H", ")", "Veas", "=", "Vtas", "*", "np", ".", "sqrt", "(", "rho", "/", "rho0", ")", "return", "Veas" ]
True Airspeed to Equivalent Airspeed
[ "True", "Airspeed", "to", "Equivalent", "Airspeed" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L150-L154
train
229,440
junzis/pyModeS
pyModeS/extra/aero.py
cas2tas
def cas2tas(Vcas, H): """Calibrated Airspeed to True Airspeed""" p, rho, T = atmos(H) qdyn = p0*((1.+rho0*Vcas*Vcas/(7.*p0))**3.5-1.) Vtas = np.sqrt(7.*p/rho*((1.+qdyn/p)**(2./7.)-1.)) return Vtas
python
def cas2tas(Vcas, H): """Calibrated Airspeed to True Airspeed""" p, rho, T = atmos(H) qdyn = p0*((1.+rho0*Vcas*Vcas/(7.*p0))**3.5-1.) Vtas = np.sqrt(7.*p/rho*((1.+qdyn/p)**(2./7.)-1.)) return Vtas
[ "def", "cas2tas", "(", "Vcas", ",", "H", ")", ":", "p", ",", "rho", ",", "T", "=", "atmos", "(", "H", ")", "qdyn", "=", "p0", "*", "(", "(", "1.", "+", "rho0", "*", "Vcas", "*", "Vcas", "/", "(", "7.", "*", "p0", ")", ")", "**", "3.5", ...
Calibrated Airspeed to True Airspeed
[ "Calibrated", "Airspeed", "to", "True", "Airspeed" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L157-L162
train
229,441
junzis/pyModeS
pyModeS/extra/aero.py
mach2cas
def mach2cas(Mach, H): """Mach number to Calibrated Airspeed""" Vtas = mach2tas(Mach, H) Vcas = tas2cas(Vtas, H) return Vcas
python
def mach2cas(Mach, H): """Mach number to Calibrated Airspeed""" Vtas = mach2tas(Mach, H) Vcas = tas2cas(Vtas, H) return Vcas
[ "def", "mach2cas", "(", "Mach", ",", "H", ")", ":", "Vtas", "=", "mach2tas", "(", "Mach", ",", "H", ")", "Vcas", "=", "tas2cas", "(", "Vtas", ",", "H", ")", "return", "Vcas" ]
Mach number to Calibrated Airspeed
[ "Mach", "number", "to", "Calibrated", "Airspeed" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L173-L177
train
229,442
junzis/pyModeS
pyModeS/extra/aero.py
cas2mach
def cas2mach(Vcas, H): """Calibrated Airspeed to Mach number""" Vtas = cas2tas(Vcas, H) Mach = tas2mach(Vtas, H) return Mach
python
def cas2mach(Vcas, H): """Calibrated Airspeed to Mach number""" Vtas = cas2tas(Vcas, H) Mach = tas2mach(Vtas, H) return Mach
[ "def", "cas2mach", "(", "Vcas", ",", "H", ")", ":", "Vtas", "=", "cas2tas", "(", "Vcas", ",", "H", ")", "Mach", "=", "tas2mach", "(", "Vtas", ",", "H", ")", "return", "Mach" ]
Calibrated Airspeed to Mach number
[ "Calibrated", "Airspeed", "to", "Mach", "number" ]
8cd5655a04b08171a9ad5f1ffd232b7e0178ea53
https://github.com/junzis/pyModeS/blob/8cd5655a04b08171a9ad5f1ffd232b7e0178ea53/pyModeS/extra/aero.py#L180-L184
train
229,443
agusmakmun/django-markdown-editor
martor/views.py
markdown_search_user
def markdown_search_user(request): """ Json usernames of the users registered & actived. url(method=get): /martor/search-user/?username={username} Response: error: - `status` is status code (204) - `error` is error message. success: - `status` is status code (204) - `data` is list dict of usernames. { 'status': 200, 'data': [ {'usernane': 'john'}, {'usernane': 'albert'}] } """ data = {} username = request.GET.get('username') if username is not None \ and username != '' \ and ' ' not in username: users = User.objects.filter( Q(username__icontains=username) ).filter(is_active=True) if users.exists(): data.update({ 'status': 200, 'data': [{'username': u.username} for u in users] }) return HttpResponse( json.dumps(data, cls=LazyEncoder), content_type='application/json') data.update({ 'status': 204, 'error': _('No users registered as `%(username)s` ' 'or user is unactived.') % {'username': username} }) else: data.update({ 'status': 204, 'error': _('Validation Failed for field `username`') }) return HttpResponse( json.dumps(data, cls=LazyEncoder), content_type='application/json')
python
def markdown_search_user(request): """ Json usernames of the users registered & actived. url(method=get): /martor/search-user/?username={username} Response: error: - `status` is status code (204) - `error` is error message. success: - `status` is status code (204) - `data` is list dict of usernames. { 'status': 200, 'data': [ {'usernane': 'john'}, {'usernane': 'albert'}] } """ data = {} username = request.GET.get('username') if username is not None \ and username != '' \ and ' ' not in username: users = User.objects.filter( Q(username__icontains=username) ).filter(is_active=True) if users.exists(): data.update({ 'status': 200, 'data': [{'username': u.username} for u in users] }) return HttpResponse( json.dumps(data, cls=LazyEncoder), content_type='application/json') data.update({ 'status': 204, 'error': _('No users registered as `%(username)s` ' 'or user is unactived.') % {'username': username} }) else: data.update({ 'status': 204, 'error': _('Validation Failed for field `username`') }) return HttpResponse( json.dumps(data, cls=LazyEncoder), content_type='application/json')
[ "def", "markdown_search_user", "(", "request", ")", ":", "data", "=", "{", "}", "username", "=", "request", ".", "GET", ".", "get", "(", "'username'", ")", "if", "username", "is", "not", "None", "and", "username", "!=", "''", "and", "' '", "not", "in",...
Json usernames of the users registered & actived. url(method=get): /martor/search-user/?username={username} Response: error: - `status` is status code (204) - `error` is error message. success: - `status` is status code (204) - `data` is list dict of usernames. { 'status': 200, 'data': [ {'usernane': 'john'}, {'usernane': 'albert'}] }
[ "Json", "usernames", "of", "the", "users", "registered", "&", "actived", "." ]
5ef9b947d247d05dfd1d14dff44c5a6e83372985
https://github.com/agusmakmun/django-markdown-editor/blob/5ef9b947d247d05dfd1d14dff44c5a6e83372985/martor/views.py#L37-L85
train
229,444
agusmakmun/django-markdown-editor
martor/extensions/mention.py
MentionPattern.handleMatch
def handleMatch(self, m): username = self.unescape(m.group(2)) """Makesure `username` is registered and actived.""" if MARTOR_ENABLE_CONFIGS['mention'] == 'true': if username in [u.username for u in User.objects.exclude(is_active=False)]: url = '{0}{1}/'.format(MARTOR_MARKDOWN_BASE_MENTION_URL, username) el = markdown.util.etree.Element('a') el.set('href', url) el.set('class', 'direct-mention-link') el.text = markdown.util.AtomicString('@' + username) return el
python
def handleMatch(self, m): username = self.unescape(m.group(2)) """Makesure `username` is registered and actived.""" if MARTOR_ENABLE_CONFIGS['mention'] == 'true': if username in [u.username for u in User.objects.exclude(is_active=False)]: url = '{0}{1}/'.format(MARTOR_MARKDOWN_BASE_MENTION_URL, username) el = markdown.util.etree.Element('a') el.set('href', url) el.set('class', 'direct-mention-link') el.text = markdown.util.AtomicString('@' + username) return el
[ "def", "handleMatch", "(", "self", ",", "m", ")", ":", "username", "=", "self", ".", "unescape", "(", "m", ".", "group", "(", "2", ")", ")", "if", "MARTOR_ENABLE_CONFIGS", "[", "'mention'", "]", "==", "'true'", ":", "if", "username", "in", "[", "u", ...
Makesure `username` is registered and actived.
[ "Makesure", "username", "is", "registered", "and", "actived", "." ]
5ef9b947d247d05dfd1d14dff44c5a6e83372985
https://github.com/agusmakmun/django-markdown-editor/blob/5ef9b947d247d05dfd1d14dff44c5a6e83372985/martor/extensions/mention.py#L24-L35
train
229,445
agusmakmun/django-markdown-editor
martor/utils.py
markdownify
def markdownify(markdown_content): """ Render the markdown content to HTML. Basic: >>> from martor.utils import markdownify >>> content = "![awesome](http://i.imgur.com/hvguiSn.jpg)" >>> markdownify(content) '<p><img alt="awesome" src="http://i.imgur.com/hvguiSn.jpg" /></p>' >>> """ try: return markdown.markdown( markdown_content, safe_mode=MARTOR_MARKDOWN_SAFE_MODE, extensions=MARTOR_MARKDOWN_EXTENSIONS, extension_configs=MARTOR_MARKDOWN_EXTENSION_CONFIGS ) except Exception: raise VersionNotCompatible("The markdown isn't compatible, please reinstall " "your python markdown into Markdown>=3.0")
python
def markdownify(markdown_content): """ Render the markdown content to HTML. Basic: >>> from martor.utils import markdownify >>> content = "![awesome](http://i.imgur.com/hvguiSn.jpg)" >>> markdownify(content) '<p><img alt="awesome" src="http://i.imgur.com/hvguiSn.jpg" /></p>' >>> """ try: return markdown.markdown( markdown_content, safe_mode=MARTOR_MARKDOWN_SAFE_MODE, extensions=MARTOR_MARKDOWN_EXTENSIONS, extension_configs=MARTOR_MARKDOWN_EXTENSION_CONFIGS ) except Exception: raise VersionNotCompatible("The markdown isn't compatible, please reinstall " "your python markdown into Markdown>=3.0")
[ "def", "markdownify", "(", "markdown_content", ")", ":", "try", ":", "return", "markdown", ".", "markdown", "(", "markdown_content", ",", "safe_mode", "=", "MARTOR_MARKDOWN_SAFE_MODE", ",", "extensions", "=", "MARTOR_MARKDOWN_EXTENSIONS", ",", "extension_configs", "="...
Render the markdown content to HTML. Basic: >>> from martor.utils import markdownify >>> content = "![awesome](http://i.imgur.com/hvguiSn.jpg)" >>> markdownify(content) '<p><img alt="awesome" src="http://i.imgur.com/hvguiSn.jpg" /></p>' >>>
[ "Render", "the", "markdown", "content", "to", "HTML", "." ]
5ef9b947d247d05dfd1d14dff44c5a6e83372985
https://github.com/agusmakmun/django-markdown-editor/blob/5ef9b947d247d05dfd1d14dff44c5a6e83372985/martor/utils.py#L17-L37
train
229,446
APSL/puput
puput/urls.py
get_entry_url
def get_entry_url(entry, blog_page, root_page): """ Get the entry url given and entry page a blog page instances. It will use an url or another depending if blog_page is the root page. """ if root_page == blog_page: return reverse('entry_page_serve', kwargs={ 'year': entry.date.strftime('%Y'), 'month': entry.date.strftime('%m'), 'day': entry.date.strftime('%d'), 'slug': entry.slug }) else: # The method get_url_parts provides a tuple with a custom URL routing # scheme. In the last position it finds the subdomain of the blog, which # it is used to construct the entry url. # Using the stripped subdomain it allows Puput to generate the urls for # every sitemap level blog_path = strip_prefix_and_ending_slash(blog_page.specific.last_url_part) return reverse('entry_page_serve_slug', kwargs={ 'blog_path': blog_path, 'year': entry.date.strftime('%Y'), 'month': entry.date.strftime('%m'), 'day': entry.date.strftime('%d'), 'slug': entry.slug })
python
def get_entry_url(entry, blog_page, root_page): """ Get the entry url given and entry page a blog page instances. It will use an url or another depending if blog_page is the root page. """ if root_page == blog_page: return reverse('entry_page_serve', kwargs={ 'year': entry.date.strftime('%Y'), 'month': entry.date.strftime('%m'), 'day': entry.date.strftime('%d'), 'slug': entry.slug }) else: # The method get_url_parts provides a tuple with a custom URL routing # scheme. In the last position it finds the subdomain of the blog, which # it is used to construct the entry url. # Using the stripped subdomain it allows Puput to generate the urls for # every sitemap level blog_path = strip_prefix_and_ending_slash(blog_page.specific.last_url_part) return reverse('entry_page_serve_slug', kwargs={ 'blog_path': blog_path, 'year': entry.date.strftime('%Y'), 'month': entry.date.strftime('%m'), 'day': entry.date.strftime('%d'), 'slug': entry.slug })
[ "def", "get_entry_url", "(", "entry", ",", "blog_page", ",", "root_page", ")", ":", "if", "root_page", "==", "blog_page", ":", "return", "reverse", "(", "'entry_page_serve'", ",", "kwargs", "=", "{", "'year'", ":", "entry", ".", "date", ".", "strftime", "(...
Get the entry url given and entry page a blog page instances. It will use an url or another depending if blog_page is the root page.
[ "Get", "the", "entry", "url", "given", "and", "entry", "page", "a", "blog", "page", "instances", ".", "It", "will", "use", "an", "url", "or", "another", "depending", "if", "blog_page", "is", "the", "root", "page", "." ]
c3294f6bb0dd784f881ce9e3089cbf40d0528e47
https://github.com/APSL/puput/blob/c3294f6bb0dd784f881ce9e3089cbf40d0528e47/puput/urls.py#L63-L88
train
229,447
APSL/puput
puput/urls.py
get_feeds_url
def get_feeds_url(blog_page, root_page): """ Get the feeds urls a blog page instance. It will use an url or another depending if blog_page is the root page. """ if root_page == blog_page: return reverse('blog_page_feed') else: blog_path = strip_prefix_and_ending_slash(blog_page.specific.last_url_part) return reverse('blog_page_feed_slug', kwargs={'blog_path': blog_path})
python
def get_feeds_url(blog_page, root_page): """ Get the feeds urls a blog page instance. It will use an url or another depending if blog_page is the root page. """ if root_page == blog_page: return reverse('blog_page_feed') else: blog_path = strip_prefix_and_ending_slash(blog_page.specific.last_url_part) return reverse('blog_page_feed_slug', kwargs={'blog_path': blog_path})
[ "def", "get_feeds_url", "(", "blog_page", ",", "root_page", ")", ":", "if", "root_page", "==", "blog_page", ":", "return", "reverse", "(", "'blog_page_feed'", ")", "else", ":", "blog_path", "=", "strip_prefix_and_ending_slash", "(", "blog_page", ".", "specific", ...
Get the feeds urls a blog page instance. It will use an url or another depending if blog_page is the root page.
[ "Get", "the", "feeds", "urls", "a", "blog", "page", "instance", ".", "It", "will", "use", "an", "url", "or", "another", "depending", "if", "blog_page", "is", "the", "root", "page", "." ]
c3294f6bb0dd784f881ce9e3089cbf40d0528e47
https://github.com/APSL/puput/blob/c3294f6bb0dd784f881ce9e3089cbf40d0528e47/puput/urls.py#L91-L100
train
229,448
cs50/check50
check50/__main__.py
install_dependencies
def install_dependencies(dependencies, verbose=False): """Install all packages in dependency list via pip.""" if not dependencies: return stdout = stderr = None if verbose else subprocess.DEVNULL with tempfile.TemporaryDirectory() as req_dir: req_file = Path(req_dir) / "requirements.txt" with open(req_file, "w") as f: for dependency in dependencies: f.write(f"{dependency}\n") pip = ["python3", "-m", "pip", "install", "-r", req_file] # Unless we are in a virtualenv, we need --user if sys.base_prefix == sys.prefix and not hasattr(sys, "real_prefix"): pip.append("--user") try: subprocess.check_call(pip, stdout=stdout, stderr=stderr) except subprocess.CalledProcessError: raise Error(_("failed to install dependencies")) # Reload sys.path, to find recently installed packages importlib.reload(site)
python
def install_dependencies(dependencies, verbose=False): """Install all packages in dependency list via pip.""" if not dependencies: return stdout = stderr = None if verbose else subprocess.DEVNULL with tempfile.TemporaryDirectory() as req_dir: req_file = Path(req_dir) / "requirements.txt" with open(req_file, "w") as f: for dependency in dependencies: f.write(f"{dependency}\n") pip = ["python3", "-m", "pip", "install", "-r", req_file] # Unless we are in a virtualenv, we need --user if sys.base_prefix == sys.prefix and not hasattr(sys, "real_prefix"): pip.append("--user") try: subprocess.check_call(pip, stdout=stdout, stderr=stderr) except subprocess.CalledProcessError: raise Error(_("failed to install dependencies")) # Reload sys.path, to find recently installed packages importlib.reload(site)
[ "def", "install_dependencies", "(", "dependencies", ",", "verbose", "=", "False", ")", ":", "if", "not", "dependencies", ":", "return", "stdout", "=", "stderr", "=", "None", "if", "verbose", "else", "subprocess", ".", "DEVNULL", "with", "tempfile", ".", "Tem...
Install all packages in dependency list via pip.
[ "Install", "all", "packages", "in", "dependency", "list", "via", "pip", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/__main__.py#L108-L132
train
229,449
cs50/check50
check50/__main__.py
install_translations
def install_translations(config): """Add check translations according to ``config`` as a fallback to existing translations""" if not config: return from . import _translation checks_translation = gettext.translation(domain=config["domain"], localedir=internal.check_dir / config["localedir"], fallback=True) _translation.add_fallback(checks_translation)
python
def install_translations(config): """Add check translations according to ``config`` as a fallback to existing translations""" if not config: return from . import _translation checks_translation = gettext.translation(domain=config["domain"], localedir=internal.check_dir / config["localedir"], fallback=True) _translation.add_fallback(checks_translation)
[ "def", "install_translations", "(", "config", ")", ":", "if", "not", "config", ":", "return", "from", ".", "import", "_translation", "checks_translation", "=", "gettext", ".", "translation", "(", "domain", "=", "config", "[", "\"domain\"", "]", ",", "localedir...
Add check translations according to ``config`` as a fallback to existing translations
[ "Add", "check", "translations", "according", "to", "config", "as", "a", "fallback", "to", "existing", "translations" ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/__main__.py#L134-L144
train
229,450
cs50/check50
check50/api.py
hash
def hash(file): """ Hashes file using SHA-256. :param file: name of file to be hashed :type file: str :rtype: str :raises check50.Failure: if ``file`` does not exist """ exists(file) log(_("hashing {}...").format(file)) # https://stackoverflow.com/a/22058673 with open(file, "rb") as f: sha256 = hashlib.sha256() for block in iter(lambda: f.read(65536), b""): sha256.update(block) return sha256.hexdigest()
python
def hash(file): """ Hashes file using SHA-256. :param file: name of file to be hashed :type file: str :rtype: str :raises check50.Failure: if ``file`` does not exist """ exists(file) log(_("hashing {}...").format(file)) # https://stackoverflow.com/a/22058673 with open(file, "rb") as f: sha256 = hashlib.sha256() for block in iter(lambda: f.read(65536), b""): sha256.update(block) return sha256.hexdigest()
[ "def", "hash", "(", "file", ")", ":", "exists", "(", "file", ")", "log", "(", "_", "(", "\"hashing {}...\"", ")", ".", "format", "(", "file", ")", ")", "# https://stackoverflow.com/a/22058673", "with", "open", "(", "file", ",", "\"rb\"", ")", "as", "f", ...
Hashes file using SHA-256. :param file: name of file to be hashed :type file: str :rtype: str :raises check50.Failure: if ``file`` does not exist
[ "Hashes", "file", "using", "SHA", "-", "256", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L67-L86
train
229,451
cs50/check50
check50/api.py
exists
def exists(*paths): """ Assert that all given paths exist. :params paths: files/directories to be checked for existence :raises check50.Failure: if any ``path in paths`` does not exist Example usage:: check50.exists("foo.c", "foo.h") """ for path in paths: log(_("checking that {} exists...").format(path)) if not os.path.exists(path): raise Failure(_("{} not found").format(path))
python
def exists(*paths): """ Assert that all given paths exist. :params paths: files/directories to be checked for existence :raises check50.Failure: if any ``path in paths`` does not exist Example usage:: check50.exists("foo.c", "foo.h") """ for path in paths: log(_("checking that {} exists...").format(path)) if not os.path.exists(path): raise Failure(_("{} not found").format(path))
[ "def", "exists", "(", "*", "paths", ")", ":", "for", "path", "in", "paths", ":", "log", "(", "_", "(", "\"checking that {} exists...\"", ")", ".", "format", "(", "path", ")", ")", "if", "not", "os", ".", "path", ".", "exists", "(", "path", ")", ":"...
Assert that all given paths exist. :params paths: files/directories to be checked for existence :raises check50.Failure: if any ``path in paths`` does not exist Example usage:: check50.exists("foo.c", "foo.h")
[ "Assert", "that", "all", "given", "paths", "exist", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L89-L104
train
229,452
cs50/check50
check50/api.py
import_checks
def import_checks(path): """ Import checks module given relative path. :param path: relative path from which to import checks module :type path: str :returns: the imported module :raises FileNotFoundError: if ``path / .check50.yaml`` does not exist :raises yaml.YAMLError: if ``path / .check50.yaml`` is not a valid YAML file This function is particularly useful when a set of checks logically extends another, as is often the case in CS50's own problems that have a "less comfy" and "more comfy" version. The "more comfy" version can include all of the "less comfy" checks like so:: less = check50.import_checks("../less") from less import * .. note:: the ``__name__`` of the imported module is given by the basename of the specified path (``less`` in the above example). """ dir = internal.check_dir / path file = internal.load_config(dir)["checks"] mod = internal.import_file(dir.name, (dir / file).resolve()) sys.modules[dir.name] = mod return mod
python
def import_checks(path): """ Import checks module given relative path. :param path: relative path from which to import checks module :type path: str :returns: the imported module :raises FileNotFoundError: if ``path / .check50.yaml`` does not exist :raises yaml.YAMLError: if ``path / .check50.yaml`` is not a valid YAML file This function is particularly useful when a set of checks logically extends another, as is often the case in CS50's own problems that have a "less comfy" and "more comfy" version. The "more comfy" version can include all of the "less comfy" checks like so:: less = check50.import_checks("../less") from less import * .. note:: the ``__name__`` of the imported module is given by the basename of the specified path (``less`` in the above example). """ dir = internal.check_dir / path file = internal.load_config(dir)["checks"] mod = internal.import_file(dir.name, (dir / file).resolve()) sys.modules[dir.name] = mod return mod
[ "def", "import_checks", "(", "path", ")", ":", "dir", "=", "internal", ".", "check_dir", "/", "path", "file", "=", "internal", ".", "load_config", "(", "dir", ")", "[", "\"checks\"", "]", "mod", "=", "internal", ".", "import_file", "(", "dir", ".", "na...
Import checks module given relative path. :param path: relative path from which to import checks module :type path: str :returns: the imported module :raises FileNotFoundError: if ``path / .check50.yaml`` does not exist :raises yaml.YAMLError: if ``path / .check50.yaml`` is not a valid YAML file This function is particularly useful when a set of checks logically extends another, as is often the case in CS50's own problems that have a "less comfy" and "more comfy" version. The "more comfy" version can include all of the "less comfy" checks like so:: less = check50.import_checks("../less") from less import * .. note:: the ``__name__`` of the imported module is given by the basename of the specified path (``less`` in the above example).
[ "Import", "checks", "module", "given", "relative", "path", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L107-L134
train
229,453
cs50/check50
check50/api.py
_raw
def _raw(s): """Get raw representation of s, truncating if too long.""" if isinstance(s, list): s = "\n".join(_raw(item) for item in s) if s == EOF: return "EOF" s = repr(s) # Get raw representation of string s = s[1:-1] # Strip away quotation marks if len(s) > 15: s = s[:15] + "..." # Truncate if too long return s
python
def _raw(s): """Get raw representation of s, truncating if too long.""" if isinstance(s, list): s = "\n".join(_raw(item) for item in s) if s == EOF: return "EOF" s = repr(s) # Get raw representation of string s = s[1:-1] # Strip away quotation marks if len(s) > 15: s = s[:15] + "..." # Truncate if too long return s
[ "def", "_raw", "(", "s", ")", ":", "if", "isinstance", "(", "s", ",", "list", ")", ":", "s", "=", "\"\\n\"", ".", "join", "(", "_raw", "(", "item", ")", "for", "item", "in", "s", ")", "if", "s", "==", "EOF", ":", "return", "\"EOF\"", "s", "="...
Get raw representation of s, truncating if too long.
[ "Get", "raw", "representation", "of", "s", "truncating", "if", "too", "long", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L400-L413
train
229,454
cs50/check50
check50/api.py
_copy
def _copy(src, dst): """Copy src to dst, copying recursively if src is a directory.""" try: shutil.copy(src, dst) except IsADirectoryError: if os.path.isdir(dst): dst = os.path.join(dst, os.path.basename(src)) shutil.copytree(src, dst)
python
def _copy(src, dst): """Copy src to dst, copying recursively if src is a directory.""" try: shutil.copy(src, dst) except IsADirectoryError: if os.path.isdir(dst): dst = os.path.join(dst, os.path.basename(src)) shutil.copytree(src, dst)
[ "def", "_copy", "(", "src", ",", "dst", ")", ":", "try", ":", "shutil", ".", "copy", "(", "src", ",", "dst", ")", "except", "IsADirectoryError", ":", "if", "os", ".", "path", ".", "isdir", "(", "dst", ")", ":", "dst", "=", "os", ".", "path", "....
Copy src to dst, copying recursively if src is a directory.
[ "Copy", "src", "to", "dst", "copying", "recursively", "if", "src", "is", "a", "directory", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L416-L423
train
229,455
cs50/check50
check50/api.py
run.stdin
def stdin(self, line, prompt=True, timeout=3): """ Send line to stdin, optionally expect a prompt. :param line: line to be send to stdin :type line: str :param prompt: boolean indicating whether a prompt is expected, if True absorbs \ all of stdout before inserting line into stdin and raises \ :class:`check50.Failure` if stdout is empty :type prompt: bool :param timeout: maximum number of seconds to wait for prompt :type timeout: int / float :raises check50.Failure: if ``prompt`` is set to True and no prompt is given """ if line == EOF: log("sending EOF...") else: log(_("sending input {}...").format(line)) if prompt: try: self.process.expect(".+", timeout=timeout) except (TIMEOUT, EOF): raise Failure(_("expected prompt for input, found none")) except UnicodeDecodeError: raise Failure(_("output not valid ASCII text")) try: if line == EOF: self.process.sendeof() else: self.process.sendline(line) except OSError: pass return self
python
def stdin(self, line, prompt=True, timeout=3): """ Send line to stdin, optionally expect a prompt. :param line: line to be send to stdin :type line: str :param prompt: boolean indicating whether a prompt is expected, if True absorbs \ all of stdout before inserting line into stdin and raises \ :class:`check50.Failure` if stdout is empty :type prompt: bool :param timeout: maximum number of seconds to wait for prompt :type timeout: int / float :raises check50.Failure: if ``prompt`` is set to True and no prompt is given """ if line == EOF: log("sending EOF...") else: log(_("sending input {}...").format(line)) if prompt: try: self.process.expect(".+", timeout=timeout) except (TIMEOUT, EOF): raise Failure(_("expected prompt for input, found none")) except UnicodeDecodeError: raise Failure(_("output not valid ASCII text")) try: if line == EOF: self.process.sendeof() else: self.process.sendline(line) except OSError: pass return self
[ "def", "stdin", "(", "self", ",", "line", ",", "prompt", "=", "True", ",", "timeout", "=", "3", ")", ":", "if", "line", "==", "EOF", ":", "log", "(", "\"sending EOF...\"", ")", "else", ":", "log", "(", "_", "(", "\"sending input {}...\"", ")", ".", ...
Send line to stdin, optionally expect a prompt. :param line: line to be send to stdin :type line: str :param prompt: boolean indicating whether a prompt is expected, if True absorbs \ all of stdout before inserting line into stdin and raises \ :class:`check50.Failure` if stdout is empty :type prompt: bool :param timeout: maximum number of seconds to wait for prompt :type timeout: int / float :raises check50.Failure: if ``prompt`` is set to True and no prompt is given
[ "Send", "line", "to", "stdin", "optionally", "expect", "a", "prompt", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L165-L199
train
229,456
cs50/check50
check50/api.py
run.reject
def reject(self, timeout=1): """ Check that the process survives for timeout. Useful for checking whether program is waiting on input. :param timeout: number of seconds to wait :type timeout: int / float :raises check50.Failure: if process ends before ``timeout`` """ log(_("checking that input was rejected...")) try: self._wait(timeout) except Failure as e: if not isinstance(e.__cause__, TIMEOUT): raise else: raise Failure(_("expected program to reject input, but it did not")) return self
python
def reject(self, timeout=1): """ Check that the process survives for timeout. Useful for checking whether program is waiting on input. :param timeout: number of seconds to wait :type timeout: int / float :raises check50.Failure: if process ends before ``timeout`` """ log(_("checking that input was rejected...")) try: self._wait(timeout) except Failure as e: if not isinstance(e.__cause__, TIMEOUT): raise else: raise Failure(_("expected program to reject input, but it did not")) return self
[ "def", "reject", "(", "self", ",", "timeout", "=", "1", ")", ":", "log", "(", "_", "(", "\"checking that input was rejected...\"", ")", ")", "try", ":", "self", ".", "_wait", "(", "timeout", ")", "except", "Failure", "as", "e", ":", "if", "not", "isins...
Check that the process survives for timeout. Useful for checking whether program is waiting on input. :param timeout: number of seconds to wait :type timeout: int / float :raises check50.Failure: if process ends before ``timeout``
[ "Check", "that", "the", "process", "survives", "for", "timeout", ".", "Useful", "for", "checking", "whether", "program", "is", "waiting", "on", "input", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/api.py#L269-L286
train
229,457
cs50/check50
check50/internal.py
import_file
def import_file(name, path): """ Import a file given a raw file path. :param name: Name of module to be imported :type name: str :param path: Path to Python file :type path: str / Path """ spec = importlib.util.spec_from_file_location(name, path) mod = importlib.util.module_from_spec(spec) spec.loader.exec_module(mod) return mod
python
def import_file(name, path): """ Import a file given a raw file path. :param name: Name of module to be imported :type name: str :param path: Path to Python file :type path: str / Path """ spec = importlib.util.spec_from_file_location(name, path) mod = importlib.util.module_from_spec(spec) spec.loader.exec_module(mod) return mod
[ "def", "import_file", "(", "name", ",", "path", ")", ":", "spec", "=", "importlib", ".", "util", ".", "spec_from_file_location", "(", "name", ",", "path", ")", "mod", "=", "importlib", ".", "util", ".", "module_from_spec", "(", "spec", ")", "spec", ".", ...
Import a file given a raw file path. :param name: Name of module to be imported :type name: str :param path: Path to Python file :type path: str / Path
[ "Import", "a", "file", "given", "a", "raw", "file", "path", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/internal.py#L108-L120
train
229,458
cs50/check50
check50/c.py
compile
def compile(*files, exe_name=None, cc=CC, **cflags): """ Compile C source files. :param files: filenames to be compiled :param exe_name: name of resulting executable :param cc: compiler to use (:data:`check50.c.CC` by default) :param cflags: additional flags to pass to the compiler :raises check50.Failure: if compilation failed (i.e., if the compiler returns a non-zero exit status). :raises RuntimeError: if no filenames are specified If ``exe_name`` is None, :func:`check50.c.compile` will default to the first file specified sans the ``.c`` extension:: check50.c.compile("foo.c", "bar.c") # clang foo.c bar.c -o foo -std=c11 -ggdb -lm Additional CFLAGS may be passed as keyword arguments like so:: check50.c.compile("foo.c", "bar.c", lcs50=True) # clang foo.c bar.c -o foo -std=c11 -ggdb -lm -lcs50 In the same vein, the default CFLAGS may be overriden via keyword arguments:: check50.c.compile("foo.c", "bar.c", std="c99", lm=False) # clang foo.c bar.c -o foo -std=c99 -ggdb """ if not files: raise RuntimeError(_("compile requires at least one file")) if exe_name is None and files[0].endswith(".c"): exe_name = Path(files[0]).stem files = " ".join(files) flags = CFLAGS.copy() flags.update(cflags) flags = " ".join((f"-{flag}" + (f"={value}" if value is not True else "")).replace("_", "-") for flag, value in flags.items() if value) out_flag = f" -o {exe_name} " if exe_name is not None else " " run(f"{cc} {files}{out_flag}{flags}").exit(0)
python
def compile(*files, exe_name=None, cc=CC, **cflags): """ Compile C source files. :param files: filenames to be compiled :param exe_name: name of resulting executable :param cc: compiler to use (:data:`check50.c.CC` by default) :param cflags: additional flags to pass to the compiler :raises check50.Failure: if compilation failed (i.e., if the compiler returns a non-zero exit status). :raises RuntimeError: if no filenames are specified If ``exe_name`` is None, :func:`check50.c.compile` will default to the first file specified sans the ``.c`` extension:: check50.c.compile("foo.c", "bar.c") # clang foo.c bar.c -o foo -std=c11 -ggdb -lm Additional CFLAGS may be passed as keyword arguments like so:: check50.c.compile("foo.c", "bar.c", lcs50=True) # clang foo.c bar.c -o foo -std=c11 -ggdb -lm -lcs50 In the same vein, the default CFLAGS may be overriden via keyword arguments:: check50.c.compile("foo.c", "bar.c", std="c99", lm=False) # clang foo.c bar.c -o foo -std=c99 -ggdb """ if not files: raise RuntimeError(_("compile requires at least one file")) if exe_name is None and files[0].endswith(".c"): exe_name = Path(files[0]).stem files = " ".join(files) flags = CFLAGS.copy() flags.update(cflags) flags = " ".join((f"-{flag}" + (f"={value}" if value is not True else "")).replace("_", "-") for flag, value in flags.items() if value) out_flag = f" -o {exe_name} " if exe_name is not None else " " run(f"{cc} {files}{out_flag}{flags}").exit(0)
[ "def", "compile", "(", "*", "files", ",", "exe_name", "=", "None", ",", "cc", "=", "CC", ",", "*", "*", "cflags", ")", ":", "if", "not", "files", ":", "raise", "RuntimeError", "(", "_", "(", "\"compile requires at least one file\"", ")", ")", "if", "ex...
Compile C source files. :param files: filenames to be compiled :param exe_name: name of resulting executable :param cc: compiler to use (:data:`check50.c.CC` by default) :param cflags: additional flags to pass to the compiler :raises check50.Failure: if compilation failed (i.e., if the compiler returns a non-zero exit status). :raises RuntimeError: if no filenames are specified If ``exe_name`` is None, :func:`check50.c.compile` will default to the first file specified sans the ``.c`` extension:: check50.c.compile("foo.c", "bar.c") # clang foo.c bar.c -o foo -std=c11 -ggdb -lm Additional CFLAGS may be passed as keyword arguments like so:: check50.c.compile("foo.c", "bar.c", lcs50=True) # clang foo.c bar.c -o foo -std=c11 -ggdb -lm -lcs50 In the same vein, the default CFLAGS may be overriden via keyword arguments:: check50.c.compile("foo.c", "bar.c", std="c99", lm=False) # clang foo.c bar.c -o foo -std=c99 -ggdb
[ "Compile", "C", "source", "files", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/c.py#L16-L57
train
229,459
cs50/check50
check50/c.py
valgrind
def valgrind(command, env={}): """Run a command with valgrind. :param command: command to be run :type command: str :param env: environment in which to run command :type env: str :raises check50.Failure: if, at the end of the check, valgrind reports any errors This function works exactly like :func:`check50.run`, with the additional effect that ``command`` is run through ``valgrind`` and ``valgrind``'s output is automatically reviewed at the end of the check for memory leaks and other bugs. If ``valgrind`` reports any issues, the check is failed and student-friendly messages are printed to the log. Example usage:: check50.c.valgrind("./leaky").stdin("foo").stdout("bar").exit(0) .. note:: It is recommended that the student's code is compiled with the `-ggdb` flag so that additional information, such as the file and line number at which the issue was detected can be included in the log as well. """ xml_file = tempfile.NamedTemporaryFile() internal.register.after_check(lambda: _check_valgrind(xml_file)) # Ideally we'd like for this whole command not to be logged. return run(f"valgrind --show-leak-kinds=all --xml=yes --xml-file={xml_file.name} -- {command}", env=env)
python
def valgrind(command, env={}): """Run a command with valgrind. :param command: command to be run :type command: str :param env: environment in which to run command :type env: str :raises check50.Failure: if, at the end of the check, valgrind reports any errors This function works exactly like :func:`check50.run`, with the additional effect that ``command`` is run through ``valgrind`` and ``valgrind``'s output is automatically reviewed at the end of the check for memory leaks and other bugs. If ``valgrind`` reports any issues, the check is failed and student-friendly messages are printed to the log. Example usage:: check50.c.valgrind("./leaky").stdin("foo").stdout("bar").exit(0) .. note:: It is recommended that the student's code is compiled with the `-ggdb` flag so that additional information, such as the file and line number at which the issue was detected can be included in the log as well. """ xml_file = tempfile.NamedTemporaryFile() internal.register.after_check(lambda: _check_valgrind(xml_file)) # Ideally we'd like for this whole command not to be logged. return run(f"valgrind --show-leak-kinds=all --xml=yes --xml-file={xml_file.name} -- {command}", env=env)
[ "def", "valgrind", "(", "command", ",", "env", "=", "{", "}", ")", ":", "xml_file", "=", "tempfile", ".", "NamedTemporaryFile", "(", ")", "internal", ".", "register", ".", "after_check", "(", "lambda", ":", "_check_valgrind", "(", "xml_file", ")", ")", "...
Run a command with valgrind. :param command: command to be run :type command: str :param env: environment in which to run command :type env: str :raises check50.Failure: if, at the end of the check, valgrind reports any errors This function works exactly like :func:`check50.run`, with the additional effect that ``command`` is run through ``valgrind`` and ``valgrind``'s output is automatically reviewed at the end of the check for memory leaks and other bugs. If ``valgrind`` reports any issues, the check is failed and student-friendly messages are printed to the log. Example usage:: check50.c.valgrind("./leaky").stdin("foo").stdout("bar").exit(0) .. note:: It is recommended that the student's code is compiled with the `-ggdb` flag so that additional information, such as the file and line number at which the issue was detected can be included in the log as well.
[ "Run", "a", "command", "with", "valgrind", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/c.py#L60-L86
train
229,460
cs50/check50
check50/c.py
_check_valgrind
def _check_valgrind(xml_file): """Log and report any errors encountered by valgrind.""" log(_("checking for valgrind errors...")) # Load XML file created by valgrind xml = ET.ElementTree(file=xml_file) # Ensure that we don't get duplicate error messages. reported = set() for error in xml.iterfind("error"): # Type of error valgrind encountered kind = error.find("kind").text # Valgrind's error message what = error.find("xwhat/text" if kind.startswith("Leak_") else "what").text # Error message that we will report msg = ["\t", what] # Find first stack frame within student's code. for frame in error.iterfind("stack/frame"): obj = frame.find("obj") if obj is not None and internal.run_dir in Path(obj.text).parents: file, line = frame.find("file"), frame.find("line") if file is not None and line is not None: msg.append(f": ({_('file')}: {file.text}, {_('line')}: {line.text})") break msg = "".join(msg) if msg not in reported: log(msg) reported.add(msg) # Only raise exception if we encountered errors. if reported: raise Failure(_("valgrind tests failed; rerun with --log for more information."))
python
def _check_valgrind(xml_file): """Log and report any errors encountered by valgrind.""" log(_("checking for valgrind errors...")) # Load XML file created by valgrind xml = ET.ElementTree(file=xml_file) # Ensure that we don't get duplicate error messages. reported = set() for error in xml.iterfind("error"): # Type of error valgrind encountered kind = error.find("kind").text # Valgrind's error message what = error.find("xwhat/text" if kind.startswith("Leak_") else "what").text # Error message that we will report msg = ["\t", what] # Find first stack frame within student's code. for frame in error.iterfind("stack/frame"): obj = frame.find("obj") if obj is not None and internal.run_dir in Path(obj.text).parents: file, line = frame.find("file"), frame.find("line") if file is not None and line is not None: msg.append(f": ({_('file')}: {file.text}, {_('line')}: {line.text})") break msg = "".join(msg) if msg not in reported: log(msg) reported.add(msg) # Only raise exception if we encountered errors. if reported: raise Failure(_("valgrind tests failed; rerun with --log for more information."))
[ "def", "_check_valgrind", "(", "xml_file", ")", ":", "log", "(", "_", "(", "\"checking for valgrind errors...\"", ")", ")", "# Load XML file created by valgrind", "xml", "=", "ET", ".", "ElementTree", "(", "file", "=", "xml_file", ")", "# Ensure that we don't get dupl...
Log and report any errors encountered by valgrind.
[ "Log", "and", "report", "any", "errors", "encountered", "by", "valgrind", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/c.py#L89-L124
train
229,461
cs50/check50
check50/runner.py
_timeout
def _timeout(seconds): """Context manager that runs code block until timeout is reached. Example usage:: try: with _timeout(10): do_stuff() except Timeout: print("do_stuff timed out") """ def _handle_timeout(*args): raise Timeout(seconds) signal.signal(signal.SIGALRM, _handle_timeout) signal.alarm(seconds) try: yield finally: signal.alarm(0) signal.signal(signal.SIGALRM, signal.SIG_DFL)
python
def _timeout(seconds): """Context manager that runs code block until timeout is reached. Example usage:: try: with _timeout(10): do_stuff() except Timeout: print("do_stuff timed out") """ def _handle_timeout(*args): raise Timeout(seconds) signal.signal(signal.SIGALRM, _handle_timeout) signal.alarm(seconds) try: yield finally: signal.alarm(0) signal.signal(signal.SIGALRM, signal.SIG_DFL)
[ "def", "_timeout", "(", "seconds", ")", ":", "def", "_handle_timeout", "(", "*", "args", ")", ":", "raise", "Timeout", "(", "seconds", ")", "signal", ".", "signal", "(", "signal", ".", "SIGALRM", ",", "_handle_timeout", ")", "signal", ".", "alarm", "(", ...
Context manager that runs code block until timeout is reached. Example usage:: try: with _timeout(10): do_stuff() except Timeout: print("do_stuff timed out")
[ "Context", "manager", "that", "runs", "code", "block", "until", "timeout", "is", "reached", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/runner.py#L52-L73
train
229,462
cs50/check50
check50/runner.py
CheckRunner.run
def run(self, files, working_area): """ Run checks concurrently. Returns a list of CheckResults ordered by declaration order of the checks in the imported module """ # Ensure that dictionary is ordered by check declaration order (via self.check_names) # NOTE: Requires CPython 3.6. If we need to support older versions of Python, replace with OrderedDict. results = {name: None for name in self.check_names} checks_root = working_area.parent with futures.ProcessPoolExecutor() as executor: # Start all checks that have no dependencies not_done = set(executor.submit(run_check(name, self.checks_spec, checks_root)) for name, _ in self.child_map[None]) not_passed = [] while not_done: done, not_done = futures.wait(not_done, return_when=futures.FIRST_COMPLETED) for future in done: # Get result from completed check result, state = future.result() results[result.name] = result if result.passed: # Dispatch dependent checks for child_name, _ in self.child_map[result.name]: not_done.add(executor.submit( run_check(child_name, self.checks_spec, checks_root, state))) else: not_passed.append(result.name) for name in not_passed: self._skip_children(name, results) return results.values()
python
def run(self, files, working_area): """ Run checks concurrently. Returns a list of CheckResults ordered by declaration order of the checks in the imported module """ # Ensure that dictionary is ordered by check declaration order (via self.check_names) # NOTE: Requires CPython 3.6. If we need to support older versions of Python, replace with OrderedDict. results = {name: None for name in self.check_names} checks_root = working_area.parent with futures.ProcessPoolExecutor() as executor: # Start all checks that have no dependencies not_done = set(executor.submit(run_check(name, self.checks_spec, checks_root)) for name, _ in self.child_map[None]) not_passed = [] while not_done: done, not_done = futures.wait(not_done, return_when=futures.FIRST_COMPLETED) for future in done: # Get result from completed check result, state = future.result() results[result.name] = result if result.passed: # Dispatch dependent checks for child_name, _ in self.child_map[result.name]: not_done.add(executor.submit( run_check(child_name, self.checks_spec, checks_root, state))) else: not_passed.append(result.name) for name in not_passed: self._skip_children(name, results) return results.values()
[ "def", "run", "(", "self", ",", "files", ",", "working_area", ")", ":", "# Ensure that dictionary is ordered by check declaration order (via self.check_names)", "# NOTE: Requires CPython 3.6. If we need to support older versions of Python, replace with OrderedDict.", "results", "=", "{",...
Run checks concurrently. Returns a list of CheckResults ordered by declaration order of the checks in the imported module
[ "Run", "checks", "concurrently", ".", "Returns", "a", "list", "of", "CheckResults", "ordered", "by", "declaration", "order", "of", "the", "checks", "in", "the", "imported", "module" ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/runner.py#L178-L212
train
229,463
cs50/check50
check50/py.py
append_code
def append_code(original, codefile): """Append the contents of one file to another. :param original: name of file that will be appended to :type original: str :param codefile: name of file that will be appende :type codefile: str This function is particularly useful when one wants to replace a function in student code with their own implementation of one. If two functions are defined with the same name in Python, the latter definition is taken so overwriting a function is as simple as writing it to a file and then appending it to the student's code. Example usage:: # Include a file containing our own implementation of a lookup function. check50.include("lookup.py") # Overwrite the lookup function in helpers.py with our own implementation. check50.py.append_code("helpers.py", "lookup.py") """ with open(codefile) as code, open(original, "a") as o: o.write("\n") o.writelines(code)
python
def append_code(original, codefile): """Append the contents of one file to another. :param original: name of file that will be appended to :type original: str :param codefile: name of file that will be appende :type codefile: str This function is particularly useful when one wants to replace a function in student code with their own implementation of one. If two functions are defined with the same name in Python, the latter definition is taken so overwriting a function is as simple as writing it to a file and then appending it to the student's code. Example usage:: # Include a file containing our own implementation of a lookup function. check50.include("lookup.py") # Overwrite the lookup function in helpers.py with our own implementation. check50.py.append_code("helpers.py", "lookup.py") """ with open(codefile) as code, open(original, "a") as o: o.write("\n") o.writelines(code)
[ "def", "append_code", "(", "original", ",", "codefile", ")", ":", "with", "open", "(", "codefile", ")", "as", "code", ",", "open", "(", "original", ",", "\"a\"", ")", "as", "o", ":", "o", ".", "write", "(", "\"\\n\"", ")", "o", ".", "writelines", "...
Append the contents of one file to another. :param original: name of file that will be appended to :type original: str :param codefile: name of file that will be appende :type codefile: str This function is particularly useful when one wants to replace a function in student code with their own implementation of one. If two functions are defined with the same name in Python, the latter definition is taken so overwriting a function is as simple as writing it to a file and then appending it to the student's code. Example usage:: # Include a file containing our own implementation of a lookup function. check50.include("lookup.py") # Overwrite the lookup function in helpers.py with our own implementation. check50.py.append_code("helpers.py", "lookup.py")
[ "Append", "the", "contents", "of", "one", "file", "to", "another", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/py.py#L10-L34
train
229,464
cs50/check50
check50/py.py
import_
def import_(path): """Import a Python program given a raw file path :param path: path to python file to be imported :type path: str :raises check50.Failure: if ``path`` doesn't exist, or if the Python file at ``path`` throws an exception when imported. """ exists(path) log(_("importing {}...").format(path)) name = Path(path).stem try: return internal.import_file(name, path) except Exception as e: raise Failure(str(e))
python
def import_(path): """Import a Python program given a raw file path :param path: path to python file to be imported :type path: str :raises check50.Failure: if ``path`` doesn't exist, or if the Python file at ``path`` throws an exception when imported. """ exists(path) log(_("importing {}...").format(path)) name = Path(path).stem try: return internal.import_file(name, path) except Exception as e: raise Failure(str(e))
[ "def", "import_", "(", "path", ")", ":", "exists", "(", "path", ")", "log", "(", "_", "(", "\"importing {}...\"", ")", ".", "format", "(", "path", ")", ")", "name", "=", "Path", "(", "path", ")", ".", "stem", "try", ":", "return", "internal", ".", ...
Import a Python program given a raw file path :param path: path to python file to be imported :type path: str :raises check50.Failure: if ``path`` doesn't exist, or if the Python file at ``path`` throws an exception when imported.
[ "Import", "a", "Python", "program", "given", "a", "raw", "file", "path" ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/py.py#L37-L50
train
229,465
cs50/check50
check50/py.py
compile
def compile(file): """ Compile a Python program into byte code :param file: file to be compiled :raises check50.Failure: if compilation fails e.g. if there is a SyntaxError """ log(_("compiling {} into byte code...").format(file)) try: py_compile.compile(file, doraise=True) except py_compile.PyCompileError as e: log(_("Exception raised: ")) for line in e.msg.splitlines(): log(line) raise Failure(_("{} raised while compiling {} (rerun with --log for more details)").format(e.exc_type_name, file))
python
def compile(file): """ Compile a Python program into byte code :param file: file to be compiled :raises check50.Failure: if compilation fails e.g. if there is a SyntaxError """ log(_("compiling {} into byte code...").format(file)) try: py_compile.compile(file, doraise=True) except py_compile.PyCompileError as e: log(_("Exception raised: ")) for line in e.msg.splitlines(): log(line) raise Failure(_("{} raised while compiling {} (rerun with --log for more details)").format(e.exc_type_name, file))
[ "def", "compile", "(", "file", ")", ":", "log", "(", "_", "(", "\"compiling {} into byte code...\"", ")", ".", "format", "(", "file", ")", ")", "try", ":", "py_compile", ".", "compile", "(", "file", ",", "doraise", "=", "True", ")", "except", "py_compile...
Compile a Python program into byte code :param file: file to be compiled :raises check50.Failure: if compilation fails e.g. if there is a SyntaxError
[ "Compile", "a", "Python", "program", "into", "byte", "code" ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/py.py#L52-L68
train
229,466
cs50/check50
check50/flask.py
app.get
def get(self, route, data=None, params=None, follow_redirects=True): """Send GET request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :returns: ``self`` :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").get("/buy", params={"q": "02138"}).content() """ return self._send("GET", route, data, params, follow_redirects=follow_redirects)
python
def get(self, route, data=None, params=None, follow_redirects=True): """Send GET request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :returns: ``self`` :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").get("/buy", params={"q": "02138"}).content() """ return self._send("GET", route, data, params, follow_redirects=follow_redirects)
[ "def", "get", "(", "self", ",", "route", ",", "data", "=", "None", ",", "params", "=", "None", ",", "follow_redirects", "=", "True", ")", ":", "return", "self", ".", "_send", "(", "\"GET\"", ",", "route", ",", "data", ",", "params", ",", "follow_redi...
Send GET request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :returns: ``self`` :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").get("/buy", params={"q": "02138"}).content()
[ "Send", "GET", "request", "to", "app", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L52-L69
train
229,467
cs50/check50
check50/flask.py
app.post
def post(self, route, data=None, params=None, follow_redirects=True): """Send POST request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").post("/buy", data={"symbol": "GOOG", "shares": 10}).status(200) """ return self._send("POST", route, data, params, follow_redirects=follow_redirects)
python
def post(self, route, data=None, params=None, follow_redirects=True): """Send POST request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").post("/buy", data={"symbol": "GOOG", "shares": 10}).status(200) """ return self._send("POST", route, data, params, follow_redirects=follow_redirects)
[ "def", "post", "(", "self", ",", "route", ",", "data", "=", "None", ",", "params", "=", "None", ",", "follow_redirects", "=", "True", ")", ":", "return", "self", ".", "_send", "(", "\"POST\"", ",", "route", ",", "data", ",", "params", ",", "follow_re...
Send POST request to app. :param route: route to send request to :type route: str :param data: form data to include in request :type data: dict :param params: URL parameters to include in request :param follow_redirects: enable redirection (defaults to ``True``) :type follow_redirects: bool :raises check50.Failure: if Flask application throws an uncaught exception Example usage:: check50.flask.app("application.py").post("/buy", data={"symbol": "GOOG", "shares": 10}).status(200)
[ "Send", "POST", "request", "to", "app", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L71-L88
train
229,468
cs50/check50
check50/flask.py
app.status
def status(self, code=None): """Check status code in response returned by application. If ``code`` is not None, assert that ``code`` is returned by application, else simply return the status code. :param code: ``code`` to assert that application returns :type code: int Example usage:: check50.flask.app("application.py").status(200) status = check50.flask.app("application.py").get("/").status() if status != 200: raise check50.Failure(f"expected status code 200, but got {status}") """ if code is None: return self.response.status_code log(_("checking that status code {} is returned...").format(code)) if code != self.response.status_code: raise Failure(_("expected status code {}, but got {}").format( code, self.response.status_code)) return self
python
def status(self, code=None): """Check status code in response returned by application. If ``code`` is not None, assert that ``code`` is returned by application, else simply return the status code. :param code: ``code`` to assert that application returns :type code: int Example usage:: check50.flask.app("application.py").status(200) status = check50.flask.app("application.py").get("/").status() if status != 200: raise check50.Failure(f"expected status code 200, but got {status}") """ if code is None: return self.response.status_code log(_("checking that status code {} is returned...").format(code)) if code != self.response.status_code: raise Failure(_("expected status code {}, but got {}").format( code, self.response.status_code)) return self
[ "def", "status", "(", "self", ",", "code", "=", "None", ")", ":", "if", "code", "is", "None", ":", "return", "self", ".", "response", ".", "status_code", "log", "(", "_", "(", "\"checking that status code {} is returned...\"", ")", ".", "format", "(", "cod...
Check status code in response returned by application. If ``code`` is not None, assert that ``code`` is returned by application, else simply return the status code. :param code: ``code`` to assert that application returns :type code: int Example usage:: check50.flask.app("application.py").status(200) status = check50.flask.app("application.py").get("/").status() if status != 200: raise check50.Failure(f"expected status code 200, but got {status}")
[ "Check", "status", "code", "in", "response", "returned", "by", "application", ".", "If", "code", "is", "not", "None", "assert", "that", "code", "is", "returned", "by", "application", "else", "simply", "return", "the", "status", "code", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L90-L114
train
229,469
cs50/check50
check50/flask.py
app.raw_content
def raw_content(self, output=None, str_output=None): """Searches for `output` regex match within content of page, regardless of mimetype.""" return self._search_page(output, str_output, self.response.data, lambda regex, content: regex.search(content.decode()))
python
def raw_content(self, output=None, str_output=None): """Searches for `output` regex match within content of page, regardless of mimetype.""" return self._search_page(output, str_output, self.response.data, lambda regex, content: regex.search(content.decode()))
[ "def", "raw_content", "(", "self", ",", "output", "=", "None", ",", "str_output", "=", "None", ")", ":", "return", "self", ".", "_search_page", "(", "output", ",", "str_output", ",", "self", ".", "response", ".", "data", ",", "lambda", "regex", ",", "c...
Searches for `output` regex match within content of page, regardless of mimetype.
[ "Searches", "for", "output", "regex", "match", "within", "content", "of", "page", "regardless", "of", "mimetype", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L116-L118
train
229,470
cs50/check50
check50/flask.py
app.content
def content(self, output=None, str_output=None, **kwargs): """Searches for `output` regex within HTML page. kwargs are passed to BeautifulSoup's find function to filter for tags.""" if self.response.mimetype != "text/html": raise Failure(_("expected request to return HTML, but it returned {}").format( self.response.mimetype)) # TODO: Remove once beautiful soup updates to accomodate python 3.7 with warnings.catch_warnings(): warnings.filterwarnings("ignore", category=DeprecationWarning) content = BeautifulSoup(self.response.data, "html.parser") return self._search_page( output, str_output, content, lambda regex, content: any(regex.search(str(tag)) for tag in content.find_all(**kwargs)))
python
def content(self, output=None, str_output=None, **kwargs): """Searches for `output` regex within HTML page. kwargs are passed to BeautifulSoup's find function to filter for tags.""" if self.response.mimetype != "text/html": raise Failure(_("expected request to return HTML, but it returned {}").format( self.response.mimetype)) # TODO: Remove once beautiful soup updates to accomodate python 3.7 with warnings.catch_warnings(): warnings.filterwarnings("ignore", category=DeprecationWarning) content = BeautifulSoup(self.response.data, "html.parser") return self._search_page( output, str_output, content, lambda regex, content: any(regex.search(str(tag)) for tag in content.find_all(**kwargs)))
[ "def", "content", "(", "self", ",", "output", "=", "None", ",", "str_output", "=", "None", ",", "*", "*", "kwargs", ")", ":", "if", "self", ".", "response", ".", "mimetype", "!=", "\"text/html\"", ":", "raise", "Failure", "(", "_", "(", "\"expected req...
Searches for `output` regex within HTML page. kwargs are passed to BeautifulSoup's find function to filter for tags.
[ "Searches", "for", "output", "regex", "within", "HTML", "page", ".", "kwargs", "are", "passed", "to", "BeautifulSoup", "s", "find", "function", "to", "filter", "for", "tags", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L120-L135
train
229,471
cs50/check50
check50/flask.py
app._send
def _send(self, method, route, data, params, **kwargs): """Send request of type `method` to `route`.""" route = self._fmt_route(route, params) log(_("sending {} request to {}").format(method.upper(), route)) try: self.response = getattr(self._client, method.lower())(route, data=data, **kwargs) except BaseException as e: # Catch all exceptions thrown by app log(_("exception raised in application: {}: {}").format(type(e).__name__, e)) raise Failure(_("application raised an exception (rerun with --log for more details)")) return self
python
def _send(self, method, route, data, params, **kwargs): """Send request of type `method` to `route`.""" route = self._fmt_route(route, params) log(_("sending {} request to {}").format(method.upper(), route)) try: self.response = getattr(self._client, method.lower())(route, data=data, **kwargs) except BaseException as e: # Catch all exceptions thrown by app log(_("exception raised in application: {}: {}").format(type(e).__name__, e)) raise Failure(_("application raised an exception (rerun with --log for more details)")) return self
[ "def", "_send", "(", "self", ",", "method", ",", "route", ",", "data", ",", "params", ",", "*", "*", "kwargs", ")", ":", "route", "=", "self", ".", "_fmt_route", "(", "route", ",", "params", ")", "log", "(", "_", "(", "\"sending {} request to {}\"", ...
Send request of type `method` to `route`.
[ "Send", "request", "of", "type", "method", "to", "route", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/flask.py#L137-L146
train
229,472
cs50/check50
check50/simple.py
compile
def compile(checks): """Returns compiled check50 checks from simple YAML checks in path.""" out = ["import check50"] for name, check in checks.items(): out.append(_compile_check(name, check)) return "\n\n".join(out)
python
def compile(checks): """Returns compiled check50 checks from simple YAML checks in path.""" out = ["import check50"] for name, check in checks.items(): out.append(_compile_check(name, check)) return "\n\n".join(out)
[ "def", "compile", "(", "checks", ")", ":", "out", "=", "[", "\"import check50\"", "]", "for", "name", ",", "check", "in", "checks", ".", "items", "(", ")", ":", "out", ".", "append", "(", "_compile_check", "(", "name", ",", "check", ")", ")", "return...
Returns compiled check50 checks from simple YAML checks in path.
[ "Returns", "compiled", "check50", "checks", "from", "simple", "YAML", "checks", "in", "path", "." ]
42c1f0c36baa6a24f69742d74551a9ea7a5ceb33
https://github.com/cs50/check50/blob/42c1f0c36baa6a24f69742d74551a9ea7a5ceb33/check50/simple.py#L8-L16
train
229,473
quantopian/trading_calendars
trading_calendars/utils/pandas_utils.py
days_at_time
def days_at_time(days, t, tz, day_offset=0): """ Create an index of days at time ``t``, interpreted in timezone ``tz``. The returned index is localized to UTC. Parameters ---------- days : DatetimeIndex An index of dates (represented as midnight). t : datetime.time The time to apply as an offset to each day in ``days``. tz : pytz.timezone The timezone to use to interpret ``t``. day_offset : int The number of days we want to offset @days by Examples -------- In the example below, the times switch from 13:45 to 12:45 UTC because March 13th is the daylight savings transition for US/Eastern. All the times are still 8:45 when interpreted in US/Eastern. >>> import pandas as pd; import datetime; import pprint >>> dts = pd.date_range('2016-03-12', '2016-03-14') >>> dts_at_845 = days_at_time(dts, datetime.time(8, 45), 'US/Eastern') >>> pprint.pprint([str(dt) for dt in dts_at_845]) ['2016-03-12 13:45:00+00:00', '2016-03-13 12:45:00+00:00', '2016-03-14 12:45:00+00:00'] """ days = pd.DatetimeIndex(days).tz_localize(None) if len(days) == 0: return days.tz_localize(UTC) # Offset days without tz to avoid timezone issues. delta = pd.Timedelta( days=day_offset, hours=t.hour, minutes=t.minute, seconds=t.second, ) return (days + delta).tz_localize(tz).tz_convert(UTC)
python
def days_at_time(days, t, tz, day_offset=0): """ Create an index of days at time ``t``, interpreted in timezone ``tz``. The returned index is localized to UTC. Parameters ---------- days : DatetimeIndex An index of dates (represented as midnight). t : datetime.time The time to apply as an offset to each day in ``days``. tz : pytz.timezone The timezone to use to interpret ``t``. day_offset : int The number of days we want to offset @days by Examples -------- In the example below, the times switch from 13:45 to 12:45 UTC because March 13th is the daylight savings transition for US/Eastern. All the times are still 8:45 when interpreted in US/Eastern. >>> import pandas as pd; import datetime; import pprint >>> dts = pd.date_range('2016-03-12', '2016-03-14') >>> dts_at_845 = days_at_time(dts, datetime.time(8, 45), 'US/Eastern') >>> pprint.pprint([str(dt) for dt in dts_at_845]) ['2016-03-12 13:45:00+00:00', '2016-03-13 12:45:00+00:00', '2016-03-14 12:45:00+00:00'] """ days = pd.DatetimeIndex(days).tz_localize(None) if len(days) == 0: return days.tz_localize(UTC) # Offset days without tz to avoid timezone issues. delta = pd.Timedelta( days=day_offset, hours=t.hour, minutes=t.minute, seconds=t.second, ) return (days + delta).tz_localize(tz).tz_convert(UTC)
[ "def", "days_at_time", "(", "days", ",", "t", ",", "tz", ",", "day_offset", "=", "0", ")", ":", "days", "=", "pd", ".", "DatetimeIndex", "(", "days", ")", ".", "tz_localize", "(", "None", ")", "if", "len", "(", "days", ")", "==", "0", ":", "retur...
Create an index of days at time ``t``, interpreted in timezone ``tz``. The returned index is localized to UTC. Parameters ---------- days : DatetimeIndex An index of dates (represented as midnight). t : datetime.time The time to apply as an offset to each day in ``days``. tz : pytz.timezone The timezone to use to interpret ``t``. day_offset : int The number of days we want to offset @days by Examples -------- In the example below, the times switch from 13:45 to 12:45 UTC because March 13th is the daylight savings transition for US/Eastern. All the times are still 8:45 when interpreted in US/Eastern. >>> import pandas as pd; import datetime; import pprint >>> dts = pd.date_range('2016-03-12', '2016-03-14') >>> dts_at_845 = days_at_time(dts, datetime.time(8, 45), 'US/Eastern') >>> pprint.pprint([str(dt) for dt in dts_at_845]) ['2016-03-12 13:45:00+00:00', '2016-03-13 12:45:00+00:00', '2016-03-14 12:45:00+00:00']
[ "Create", "an", "index", "of", "days", "at", "time", "t", "interpreted", "in", "timezone", "tz", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/utils/pandas_utils.py#L6-L48
train
229,474
quantopian/trading_calendars
trading_calendars/common_holidays.py
weekend_boxing_day
def weekend_boxing_day(start_date=None, end_date=None, observance=None): """ If boxing day is saturday then Monday 28th is a holiday If boxing day is sunday then Tuesday 28th is a holiday """ return Holiday( "Weekend Boxing Day", month=12, day=28, days_of_week=(MONDAY, TUESDAY), start_date=start_date, end_date=end_date, observance=observance, )
python
def weekend_boxing_day(start_date=None, end_date=None, observance=None): """ If boxing day is saturday then Monday 28th is a holiday If boxing day is sunday then Tuesday 28th is a holiday """ return Holiday( "Weekend Boxing Day", month=12, day=28, days_of_week=(MONDAY, TUESDAY), start_date=start_date, end_date=end_date, observance=observance, )
[ "def", "weekend_boxing_day", "(", "start_date", "=", "None", ",", "end_date", "=", "None", ",", "observance", "=", "None", ")", ":", "return", "Holiday", "(", "\"Weekend Boxing Day\"", ",", "month", "=", "12", ",", "day", "=", "28", ",", "days_of_week", "=...
If boxing day is saturday then Monday 28th is a holiday If boxing day is sunday then Tuesday 28th is a holiday
[ "If", "boxing", "day", "is", "saturday", "then", "Monday", "28th", "is", "a", "holiday", "If", "boxing", "day", "is", "sunday", "then", "Tuesday", "28th", "is", "a", "holiday" ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/common_holidays.py#L261-L274
train
229,475
quantopian/trading_calendars
trading_calendars/xtks_holidays.py
is_holiday_or_weekend
def is_holiday_or_weekend(holidays, dt): """ Given a list of holidays, return whether dt is a holiday or it is on a weekend. """ one_day = timedelta(days=1) for h in holidays: if dt in h.dates(dt - one_day, dt + one_day) or \ dt.weekday() in WEEKENDS: return True return False
python
def is_holiday_or_weekend(holidays, dt): """ Given a list of holidays, return whether dt is a holiday or it is on a weekend. """ one_day = timedelta(days=1) for h in holidays: if dt in h.dates(dt - one_day, dt + one_day) or \ dt.weekday() in WEEKENDS: return True return False
[ "def", "is_holiday_or_weekend", "(", "holidays", ",", "dt", ")", ":", "one_day", "=", "timedelta", "(", "days", "=", "1", ")", "for", "h", "in", "holidays", ":", "if", "dt", "in", "h", ".", "dates", "(", "dt", "-", "one_day", ",", "dt", "+", "one_d...
Given a list of holidays, return whether dt is a holiday or it is on a weekend.
[ "Given", "a", "list", "of", "holidays", "return", "whether", "dt", "is", "a", "holiday", "or", "it", "is", "on", "a", "weekend", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/xtks_holidays.py#L18-L30
train
229,476
quantopian/trading_calendars
trading_calendars/xtks_holidays.py
next_non_holiday_weekday
def next_non_holiday_weekday(holidays, dt): """ If a holiday falls on a Sunday, observe it on the next non-holiday weekday. Parameters ---------- holidays : list[pd.tseries.holiday.Holiday] list of holidays dt : pd.Timestamp date of holiday. """ day_of_week = dt.weekday() if day_of_week == SUNDAY: while is_holiday_or_weekend(holidays, dt): dt += timedelta(1) return dt
python
def next_non_holiday_weekday(holidays, dt): """ If a holiday falls on a Sunday, observe it on the next non-holiday weekday. Parameters ---------- holidays : list[pd.tseries.holiday.Holiday] list of holidays dt : pd.Timestamp date of holiday. """ day_of_week = dt.weekday() if day_of_week == SUNDAY: while is_holiday_or_weekend(holidays, dt): dt += timedelta(1) return dt
[ "def", "next_non_holiday_weekday", "(", "holidays", ",", "dt", ")", ":", "day_of_week", "=", "dt", ".", "weekday", "(", ")", "if", "day_of_week", "==", "SUNDAY", ":", "while", "is_holiday_or_weekend", "(", "holidays", ",", "dt", ")", ":", "dt", "+=", "time...
If a holiday falls on a Sunday, observe it on the next non-holiday weekday. Parameters ---------- holidays : list[pd.tseries.holiday.Holiday] list of holidays dt : pd.Timestamp date of holiday.
[ "If", "a", "holiday", "falls", "on", "a", "Sunday", "observe", "it", "on", "the", "next", "non", "-", "holiday", "weekday", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/xtks_holidays.py#L33-L50
train
229,477
quantopian/trading_calendars
trading_calendars/calendar_helpers.py
compute_all_minutes
def compute_all_minutes(opens_in_ns, closes_in_ns): """ Given arrays of opens and closes, both in nanoseconds, return an array of each minute between the opens and closes. """ deltas = closes_in_ns - opens_in_ns # + 1 because we want 390 mins per standard day, not 389 daily_sizes = (deltas // NANOSECONDS_PER_MINUTE) + 1 num_minutes = daily_sizes.sum() # One allocation for the entire thing. This assumes that each day # represents a contiguous block of minutes. pieces = [] for open_, size in zip(opens_in_ns, daily_sizes): pieces.append( np.arange(open_, open_ + size * NANOSECONDS_PER_MINUTE, NANOSECONDS_PER_MINUTE) ) out = np.concatenate(pieces).view('datetime64[ns]') assert len(out) == num_minutes return out
python
def compute_all_minutes(opens_in_ns, closes_in_ns): """ Given arrays of opens and closes, both in nanoseconds, return an array of each minute between the opens and closes. """ deltas = closes_in_ns - opens_in_ns # + 1 because we want 390 mins per standard day, not 389 daily_sizes = (deltas // NANOSECONDS_PER_MINUTE) + 1 num_minutes = daily_sizes.sum() # One allocation for the entire thing. This assumes that each day # represents a contiguous block of minutes. pieces = [] for open_, size in zip(opens_in_ns, daily_sizes): pieces.append( np.arange(open_, open_ + size * NANOSECONDS_PER_MINUTE, NANOSECONDS_PER_MINUTE) ) out = np.concatenate(pieces).view('datetime64[ns]') assert len(out) == num_minutes return out
[ "def", "compute_all_minutes", "(", "opens_in_ns", ",", "closes_in_ns", ")", ":", "deltas", "=", "closes_in_ns", "-", "opens_in_ns", "# + 1 because we want 390 mins per standard day, not 389", "daily_sizes", "=", "(", "deltas", "//", "NANOSECONDS_PER_MINUTE", ")", "+", "1"...
Given arrays of opens and closes, both in nanoseconds, return an array of each minute between the opens and closes.
[ "Given", "arrays", "of", "opens", "and", "closes", "both", "in", "nanoseconds", "return", "an", "array", "of", "each", "minute", "between", "the", "opens", "and", "closes", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_helpers.py#L47-L71
train
229,478
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.get_calendar
def get_calendar(self, name): """ Retrieves an instance of an TradingCalendar whose name is given. Parameters ---------- name : str The name of the TradingCalendar to be retrieved. Returns ------- calendar : calendars.TradingCalendar The desired calendar. """ canonical_name = self.resolve_alias(name) try: return self._calendars[canonical_name] except KeyError: # We haven't loaded this calendar yet, so make a new one. pass try: factory = self._calendar_factories[canonical_name] except KeyError: # We don't have a factory registered for this name. Barf. raise InvalidCalendarName(calendar_name=name) # Cache the calendar for future use. calendar = self._calendars[canonical_name] = factory() return calendar
python
def get_calendar(self, name): """ Retrieves an instance of an TradingCalendar whose name is given. Parameters ---------- name : str The name of the TradingCalendar to be retrieved. Returns ------- calendar : calendars.TradingCalendar The desired calendar. """ canonical_name = self.resolve_alias(name) try: return self._calendars[canonical_name] except KeyError: # We haven't loaded this calendar yet, so make a new one. pass try: factory = self._calendar_factories[canonical_name] except KeyError: # We don't have a factory registered for this name. Barf. raise InvalidCalendarName(calendar_name=name) # Cache the calendar for future use. calendar = self._calendars[canonical_name] = factory() return calendar
[ "def", "get_calendar", "(", "self", ",", "name", ")", ":", "canonical_name", "=", "self", ".", "resolve_alias", "(", "name", ")", "try", ":", "return", "self", ".", "_calendars", "[", "canonical_name", "]", "except", "KeyError", ":", "# We haven't loaded this ...
Retrieves an instance of an TradingCalendar whose name is given. Parameters ---------- name : str The name of the TradingCalendar to be retrieved. Returns ------- calendar : calendars.TradingCalendar The desired calendar.
[ "Retrieves", "an", "instance", "of", "an", "TradingCalendar", "whose", "name", "is", "given", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L118-L148
train
229,479
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.register_calendar
def register_calendar(self, name, calendar, force=False): """ Registers a calendar for retrieval by the get_calendar method. Parameters ---------- name: str The key with which to register this calendar. calendar: TradingCalendar The calendar to be registered for retrieval. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name. """ if force: self.deregister_calendar(name) if self.has_calendar(name): raise CalendarNameCollision(calendar_name=name) self._calendars[name] = calendar
python
def register_calendar(self, name, calendar, force=False): """ Registers a calendar for retrieval by the get_calendar method. Parameters ---------- name: str The key with which to register this calendar. calendar: TradingCalendar The calendar to be registered for retrieval. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name. """ if force: self.deregister_calendar(name) if self.has_calendar(name): raise CalendarNameCollision(calendar_name=name) self._calendars[name] = calendar
[ "def", "register_calendar", "(", "self", ",", "name", ",", "calendar", ",", "force", "=", "False", ")", ":", "if", "force", ":", "self", ".", "deregister_calendar", "(", "name", ")", "if", "self", ".", "has_calendar", "(", "name", ")", ":", "raise", "C...
Registers a calendar for retrieval by the get_calendar method. Parameters ---------- name: str The key with which to register this calendar. calendar: TradingCalendar The calendar to be registered for retrieval. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name.
[ "Registers", "a", "calendar", "for", "retrieval", "by", "the", "get_calendar", "method", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L160-L186
train
229,480
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.register_calendar_type
def register_calendar_type(self, name, calendar_type, force=False): """ Registers a calendar by type. This is useful for registering a new calendar to be lazily instantiated at some future point in time. Parameters ---------- name: str The key with which to register this calendar. calendar_type: type The type of the calendar to register. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name. """ if force: self.deregister_calendar(name) if self.has_calendar(name): raise CalendarNameCollision(calendar_name=name) self._calendar_factories[name] = calendar_type
python
def register_calendar_type(self, name, calendar_type, force=False): """ Registers a calendar by type. This is useful for registering a new calendar to be lazily instantiated at some future point in time. Parameters ---------- name: str The key with which to register this calendar. calendar_type: type The type of the calendar to register. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name. """ if force: self.deregister_calendar(name) if self.has_calendar(name): raise CalendarNameCollision(calendar_name=name) self._calendar_factories[name] = calendar_type
[ "def", "register_calendar_type", "(", "self", ",", "name", ",", "calendar_type", ",", "force", "=", "False", ")", ":", "if", "force", ":", "self", ".", "deregister_calendar", "(", "name", ")", "if", "self", ".", "has_calendar", "(", "name", ")", ":", "ra...
Registers a calendar by type. This is useful for registering a new calendar to be lazily instantiated at some future point in time. Parameters ---------- name: str The key with which to register this calendar. calendar_type: type The type of the calendar to register. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. Raises ------ CalendarNameCollision If a calendar is already registered with the given calendar's name.
[ "Registers", "a", "calendar", "by", "type", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L188-L217
train
229,481
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.register_calendar_alias
def register_calendar_alias(self, alias, real_name, force=False): """ Register an alias for a calendar. This is useful when multiple exchanges should share a calendar, or when there are multiple ways to refer to the same exchange. After calling ``register_alias('alias', 'real_name')``, subsequent calls to ``get_calendar('alias')`` will return the same result as ``get_calendar('real_name')``. Parameters ---------- alias : str The name to be used to refer to a calendar. real_name : str The canonical name of the registered calendar. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. """ if force: self.deregister_calendar(alias) if self.has_calendar(alias): raise CalendarNameCollision(calendar_name=alias) self._aliases[alias] = real_name # Ensure that the new alias doesn't create a cycle, and back it out if # we did. try: self.resolve_alias(alias) except CyclicCalendarAlias: del self._aliases[alias] raise
python
def register_calendar_alias(self, alias, real_name, force=False): """ Register an alias for a calendar. This is useful when multiple exchanges should share a calendar, or when there are multiple ways to refer to the same exchange. After calling ``register_alias('alias', 'real_name')``, subsequent calls to ``get_calendar('alias')`` will return the same result as ``get_calendar('real_name')``. Parameters ---------- alias : str The name to be used to refer to a calendar. real_name : str The canonical name of the registered calendar. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False. """ if force: self.deregister_calendar(alias) if self.has_calendar(alias): raise CalendarNameCollision(calendar_name=alias) self._aliases[alias] = real_name # Ensure that the new alias doesn't create a cycle, and back it out if # we did. try: self.resolve_alias(alias) except CyclicCalendarAlias: del self._aliases[alias] raise
[ "def", "register_calendar_alias", "(", "self", ",", "alias", ",", "real_name", ",", "force", "=", "False", ")", ":", "if", "force", ":", "self", ".", "deregister_calendar", "(", "alias", ")", "if", "self", ".", "has_calendar", "(", "alias", ")", ":", "ra...
Register an alias for a calendar. This is useful when multiple exchanges should share a calendar, or when there are multiple ways to refer to the same exchange. After calling ``register_alias('alias', 'real_name')``, subsequent calls to ``get_calendar('alias')`` will return the same result as ``get_calendar('real_name')``. Parameters ---------- alias : str The name to be used to refer to a calendar. real_name : str The canonical name of the registered calendar. force : bool, optional If True, old calendars will be overwritten on a name collision. If False, name collisions will raise an exception. Default is False.
[ "Register", "an", "alias", "for", "a", "calendar", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L219-L255
train
229,482
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.resolve_alias
def resolve_alias(self, name): """ Resolve a calendar alias for retrieval. Parameters ---------- name : str The name of the requested calendar. Returns ------- canonical_name : str The real name of the calendar to create/return. """ seen = [] while name in self._aliases: seen.append(name) name = self._aliases[name] # This is O(N ** 2), but if there's an alias chain longer than 2, # something strange has happened. if name in seen: seen.append(name) raise CyclicCalendarAlias( cycle=" -> ".join(repr(k) for k in seen) ) return name
python
def resolve_alias(self, name): """ Resolve a calendar alias for retrieval. Parameters ---------- name : str The name of the requested calendar. Returns ------- canonical_name : str The real name of the calendar to create/return. """ seen = [] while name in self._aliases: seen.append(name) name = self._aliases[name] # This is O(N ** 2), but if there's an alias chain longer than 2, # something strange has happened. if name in seen: seen.append(name) raise CyclicCalendarAlias( cycle=" -> ".join(repr(k) for k in seen) ) return name
[ "def", "resolve_alias", "(", "self", ",", "name", ")", ":", "seen", "=", "[", "]", "while", "name", "in", "self", ".", "_aliases", ":", "seen", ".", "append", "(", "name", ")", "name", "=", "self", ".", "_aliases", "[", "name", "]", "# This is O(N **...
Resolve a calendar alias for retrieval. Parameters ---------- name : str The name of the requested calendar. Returns ------- canonical_name : str The real name of the calendar to create/return.
[ "Resolve", "a", "calendar", "alias", "for", "retrieval", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L257-L285
train
229,483
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.deregister_calendar
def deregister_calendar(self, name): """ If a calendar is registered with the given name, it is de-registered. Parameters ---------- cal_name : str The name of the calendar to be deregistered. """ self._calendars.pop(name, None) self._calendar_factories.pop(name, None) self._aliases.pop(name, None)
python
def deregister_calendar(self, name): """ If a calendar is registered with the given name, it is de-registered. Parameters ---------- cal_name : str The name of the calendar to be deregistered. """ self._calendars.pop(name, None) self._calendar_factories.pop(name, None) self._aliases.pop(name, None)
[ "def", "deregister_calendar", "(", "self", ",", "name", ")", ":", "self", ".", "_calendars", ".", "pop", "(", "name", ",", "None", ")", "self", ".", "_calendar_factories", ".", "pop", "(", "name", ",", "None", ")", "self", ".", "_aliases", ".", "pop", ...
If a calendar is registered with the given name, it is de-registered. Parameters ---------- cal_name : str The name of the calendar to be deregistered.
[ "If", "a", "calendar", "is", "registered", "with", "the", "given", "name", "it", "is", "de", "-", "registered", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L287-L298
train
229,484
quantopian/trading_calendars
trading_calendars/calendar_utils.py
TradingCalendarDispatcher.clear_calendars
def clear_calendars(self): """ Deregisters all current registered calendars """ self._calendars.clear() self._calendar_factories.clear() self._aliases.clear()
python
def clear_calendars(self): """ Deregisters all current registered calendars """ self._calendars.clear() self._calendar_factories.clear() self._aliases.clear()
[ "def", "clear_calendars", "(", "self", ")", ":", "self", ".", "_calendars", ".", "clear", "(", ")", "self", ".", "_calendar_factories", ".", "clear", "(", ")", "self", ".", "_aliases", ".", "clear", "(", ")" ]
Deregisters all current registered calendars
[ "Deregisters", "all", "current", "registered", "calendars" ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/calendar_utils.py#L300-L306
train
229,485
quantopian/trading_calendars
trading_calendars/trading_calendar.py
_overwrite_special_dates
def _overwrite_special_dates(midnight_utcs, opens_or_closes, special_opens_or_closes): """ Overwrite dates in open_or_closes with corresponding dates in special_opens_or_closes, using midnight_utcs for alignment. """ # Short circuit when nothing to apply. if not len(special_opens_or_closes): return len_m, len_oc = len(midnight_utcs), len(opens_or_closes) if len_m != len_oc: raise ValueError( "Found misaligned dates while building calendar.\n" "Expected midnight_utcs to be the same length as open_or_closes,\n" "but len(midnight_utcs)=%d, len(open_or_closes)=%d" % len_m, len_oc ) # Find the array indices corresponding to each special date. indexer = midnight_utcs.get_indexer(special_opens_or_closes.index) # -1 indicates that no corresponding entry was found. If any -1s are # present, then we have special dates that doesn't correspond to any # trading day. if -1 in indexer: bad_dates = list(special_opens_or_closes[indexer == -1]) raise ValueError("Special dates %s are not trading days." % bad_dates) # NOTE: This is a slightly dirty hack. We're in-place overwriting the # internal data of an Index, which is conceptually immutable. Since we're # maintaining sorting, this should be ok, but this is a good place to # sanity check if things start going haywire with calendar computations. opens_or_closes.values[indexer] = special_opens_or_closes.values
python
def _overwrite_special_dates(midnight_utcs, opens_or_closes, special_opens_or_closes): """ Overwrite dates in open_or_closes with corresponding dates in special_opens_or_closes, using midnight_utcs for alignment. """ # Short circuit when nothing to apply. if not len(special_opens_or_closes): return len_m, len_oc = len(midnight_utcs), len(opens_or_closes) if len_m != len_oc: raise ValueError( "Found misaligned dates while building calendar.\n" "Expected midnight_utcs to be the same length as open_or_closes,\n" "but len(midnight_utcs)=%d, len(open_or_closes)=%d" % len_m, len_oc ) # Find the array indices corresponding to each special date. indexer = midnight_utcs.get_indexer(special_opens_or_closes.index) # -1 indicates that no corresponding entry was found. If any -1s are # present, then we have special dates that doesn't correspond to any # trading day. if -1 in indexer: bad_dates = list(special_opens_or_closes[indexer == -1]) raise ValueError("Special dates %s are not trading days." % bad_dates) # NOTE: This is a slightly dirty hack. We're in-place overwriting the # internal data of an Index, which is conceptually immutable. Since we're # maintaining sorting, this should be ok, but this is a good place to # sanity check if things start going haywire with calendar computations. opens_or_closes.values[indexer] = special_opens_or_closes.values
[ "def", "_overwrite_special_dates", "(", "midnight_utcs", ",", "opens_or_closes", ",", "special_opens_or_closes", ")", ":", "# Short circuit when nothing to apply.", "if", "not", "len", "(", "special_opens_or_closes", ")", ":", "return", "len_m", ",", "len_oc", "=", "len...
Overwrite dates in open_or_closes with corresponding dates in special_opens_or_closes, using midnight_utcs for alignment.
[ "Overwrite", "dates", "in", "open_or_closes", "with", "corresponding", "dates", "in", "special_opens_or_closes", "using", "midnight_utcs", "for", "alignment", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L1016-L1049
train
229,486
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.is_open_on_minute
def is_open_on_minute(self, dt): """ Given a dt, return whether this exchange is open at the given dt. Parameters ---------- dt: pd.Timestamp The dt for which to check if this exchange is open. Returns ------- bool Whether the exchange is open on this dt. """ return is_open(self.market_opens_nanos, self.market_closes_nanos, dt.value)
python
def is_open_on_minute(self, dt): """ Given a dt, return whether this exchange is open at the given dt. Parameters ---------- dt: pd.Timestamp The dt for which to check if this exchange is open. Returns ------- bool Whether the exchange is open on this dt. """ return is_open(self.market_opens_nanos, self.market_closes_nanos, dt.value)
[ "def", "is_open_on_minute", "(", "self", ",", "dt", ")", ":", "return", "is_open", "(", "self", ".", "market_opens_nanos", ",", "self", ".", "market_closes_nanos", ",", "dt", ".", "value", ")" ]
Given a dt, return whether this exchange is open at the given dt. Parameters ---------- dt: pd.Timestamp The dt for which to check if this exchange is open. Returns ------- bool Whether the exchange is open on this dt.
[ "Given", "a", "dt", "return", "whether", "this", "exchange", "is", "open", "at", "the", "given", "dt", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L339-L354
train
229,487
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.next_open
def next_open(self, dt): """ Given a dt, returns the next open. If the given dt happens to be a session open, the next session's open will be returned. Parameters ---------- dt: pd.Timestamp The dt for which to get the next open. Returns ------- pd.Timestamp The UTC timestamp of the next open. """ idx = next_divider_idx(self.market_opens_nanos, dt.value) return pd.Timestamp(self.market_opens_nanos[idx], tz=UTC)
python
def next_open(self, dt): """ Given a dt, returns the next open. If the given dt happens to be a session open, the next session's open will be returned. Parameters ---------- dt: pd.Timestamp The dt for which to get the next open. Returns ------- pd.Timestamp The UTC timestamp of the next open. """ idx = next_divider_idx(self.market_opens_nanos, dt.value) return pd.Timestamp(self.market_opens_nanos[idx], tz=UTC)
[ "def", "next_open", "(", "self", ",", "dt", ")", ":", "idx", "=", "next_divider_idx", "(", "self", ".", "market_opens_nanos", ",", "dt", ".", "value", ")", "return", "pd", ".", "Timestamp", "(", "self", ".", "market_opens_nanos", "[", "idx", "]", ",", ...
Given a dt, returns the next open. If the given dt happens to be a session open, the next session's open will be returned. Parameters ---------- dt: pd.Timestamp The dt for which to get the next open. Returns ------- pd.Timestamp The UTC timestamp of the next open.
[ "Given", "a", "dt", "returns", "the", "next", "open", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L356-L374
train
229,488
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.next_close
def next_close(self, dt): """ Given a dt, returns the next close. Parameters ---------- dt: pd.Timestamp The dt for which to get the next close. Returns ------- pd.Timestamp The UTC timestamp of the next close. """ idx = next_divider_idx(self.market_closes_nanos, dt.value) return pd.Timestamp(self.market_closes_nanos[idx], tz=UTC)
python
def next_close(self, dt): """ Given a dt, returns the next close. Parameters ---------- dt: pd.Timestamp The dt for which to get the next close. Returns ------- pd.Timestamp The UTC timestamp of the next close. """ idx = next_divider_idx(self.market_closes_nanos, dt.value) return pd.Timestamp(self.market_closes_nanos[idx], tz=UTC)
[ "def", "next_close", "(", "self", ",", "dt", ")", ":", "idx", "=", "next_divider_idx", "(", "self", ".", "market_closes_nanos", ",", "dt", ".", "value", ")", "return", "pd", ".", "Timestamp", "(", "self", ".", "market_closes_nanos", "[", "idx", "]", ",",...
Given a dt, returns the next close. Parameters ---------- dt: pd.Timestamp The dt for which to get the next close. Returns ------- pd.Timestamp The UTC timestamp of the next close.
[ "Given", "a", "dt", "returns", "the", "next", "close", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L376-L391
train
229,489
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.previous_open
def previous_open(self, dt): """ Given a dt, returns the previous open. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous open. Returns ------- pd.Timestamp The UTC imestamp of the previous open. """ idx = previous_divider_idx(self.market_opens_nanos, dt.value) return pd.Timestamp(self.market_opens_nanos[idx], tz=UTC)
python
def previous_open(self, dt): """ Given a dt, returns the previous open. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous open. Returns ------- pd.Timestamp The UTC imestamp of the previous open. """ idx = previous_divider_idx(self.market_opens_nanos, dt.value) return pd.Timestamp(self.market_opens_nanos[idx], tz=UTC)
[ "def", "previous_open", "(", "self", ",", "dt", ")", ":", "idx", "=", "previous_divider_idx", "(", "self", ".", "market_opens_nanos", ",", "dt", ".", "value", ")", "return", "pd", ".", "Timestamp", "(", "self", ".", "market_opens_nanos", "[", "idx", "]", ...
Given a dt, returns the previous open. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous open. Returns ------- pd.Timestamp The UTC imestamp of the previous open.
[ "Given", "a", "dt", "returns", "the", "previous", "open", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L393-L408
train
229,490
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.previous_close
def previous_close(self, dt): """ Given a dt, returns the previous close. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous close. Returns ------- pd.Timestamp The UTC timestamp of the previous close. """ idx = previous_divider_idx(self.market_closes_nanos, dt.value) return pd.Timestamp(self.market_closes_nanos[idx], tz=UTC)
python
def previous_close(self, dt): """ Given a dt, returns the previous close. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous close. Returns ------- pd.Timestamp The UTC timestamp of the previous close. """ idx = previous_divider_idx(self.market_closes_nanos, dt.value) return pd.Timestamp(self.market_closes_nanos[idx], tz=UTC)
[ "def", "previous_close", "(", "self", ",", "dt", ")", ":", "idx", "=", "previous_divider_idx", "(", "self", ".", "market_closes_nanos", ",", "dt", ".", "value", ")", "return", "pd", ".", "Timestamp", "(", "self", ".", "market_closes_nanos", "[", "idx", "]"...
Given a dt, returns the previous close. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous close. Returns ------- pd.Timestamp The UTC timestamp of the previous close.
[ "Given", "a", "dt", "returns", "the", "previous", "close", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L410-L425
train
229,491
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.next_minute
def next_minute(self, dt): """ Given a dt, return the next exchange minute. If the given dt is not an exchange minute, returns the next exchange open. Parameters ---------- dt: pd.Timestamp The dt for which to get the next exchange minute. Returns ------- pd.Timestamp The next exchange minute. """ idx = next_divider_idx(self._trading_minutes_nanos, dt.value) return self.all_minutes[idx]
python
def next_minute(self, dt): """ Given a dt, return the next exchange minute. If the given dt is not an exchange minute, returns the next exchange open. Parameters ---------- dt: pd.Timestamp The dt for which to get the next exchange minute. Returns ------- pd.Timestamp The next exchange minute. """ idx = next_divider_idx(self._trading_minutes_nanos, dt.value) return self.all_minutes[idx]
[ "def", "next_minute", "(", "self", ",", "dt", ")", ":", "idx", "=", "next_divider_idx", "(", "self", ".", "_trading_minutes_nanos", ",", "dt", ".", "value", ")", "return", "self", ".", "all_minutes", "[", "idx", "]" ]
Given a dt, return the next exchange minute. If the given dt is not an exchange minute, returns the next exchange open. Parameters ---------- dt: pd.Timestamp The dt for which to get the next exchange minute. Returns ------- pd.Timestamp The next exchange minute.
[ "Given", "a", "dt", "return", "the", "next", "exchange", "minute", ".", "If", "the", "given", "dt", "is", "not", "an", "exchange", "minute", "returns", "the", "next", "exchange", "open", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L427-L443
train
229,492
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.previous_minute
def previous_minute(self, dt): """ Given a dt, return the previous exchange minute. Raises KeyError if the given timestamp is not an exchange minute. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous exchange minute. Returns ------- pd.Timestamp The previous exchange minute. """ idx = previous_divider_idx(self._trading_minutes_nanos, dt.value) return self.all_minutes[idx]
python
def previous_minute(self, dt): """ Given a dt, return the previous exchange minute. Raises KeyError if the given timestamp is not an exchange minute. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous exchange minute. Returns ------- pd.Timestamp The previous exchange minute. """ idx = previous_divider_idx(self._trading_minutes_nanos, dt.value) return self.all_minutes[idx]
[ "def", "previous_minute", "(", "self", ",", "dt", ")", ":", "idx", "=", "previous_divider_idx", "(", "self", ".", "_trading_minutes_nanos", ",", "dt", ".", "value", ")", "return", "self", ".", "all_minutes", "[", "idx", "]" ]
Given a dt, return the previous exchange minute. Raises KeyError if the given timestamp is not an exchange minute. Parameters ---------- dt: pd.Timestamp The dt for which to get the previous exchange minute. Returns ------- pd.Timestamp The previous exchange minute.
[ "Given", "a", "dt", "return", "the", "previous", "exchange", "minute", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L445-L463
train
229,493
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.next_session_label
def next_session_label(self, session_label): """ Given a session label, returns the label of the next session. Parameters ---------- session_label: pd.Timestamp A session whose next session is desired. Returns ------- pd.Timestamp The next session label (midnight UTC). Notes ----- Raises ValueError if the given session is the last session in this calendar. """ idx = self.schedule.index.get_loc(session_label) try: return self.schedule.index[idx + 1] except IndexError: if idx == len(self.schedule.index) - 1: raise ValueError("There is no next session as this is the end" " of the exchange calendar.") else: raise
python
def next_session_label(self, session_label): """ Given a session label, returns the label of the next session. Parameters ---------- session_label: pd.Timestamp A session whose next session is desired. Returns ------- pd.Timestamp The next session label (midnight UTC). Notes ----- Raises ValueError if the given session is the last session in this calendar. """ idx = self.schedule.index.get_loc(session_label) try: return self.schedule.index[idx + 1] except IndexError: if idx == len(self.schedule.index) - 1: raise ValueError("There is no next session as this is the end" " of the exchange calendar.") else: raise
[ "def", "next_session_label", "(", "self", ",", "session_label", ")", ":", "idx", "=", "self", ".", "schedule", ".", "index", ".", "get_loc", "(", "session_label", ")", "try", ":", "return", "self", ".", "schedule", ".", "index", "[", "idx", "+", "1", "...
Given a session label, returns the label of the next session. Parameters ---------- session_label: pd.Timestamp A session whose next session is desired. Returns ------- pd.Timestamp The next session label (midnight UTC). Notes ----- Raises ValueError if the given session is the last session in this calendar.
[ "Given", "a", "session", "label", "returns", "the", "label", "of", "the", "next", "session", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L465-L492
train
229,494
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.previous_session_label
def previous_session_label(self, session_label): """ Given a session label, returns the label of the previous session. Parameters ---------- session_label: pd.Timestamp A session whose previous session is desired. Returns ------- pd.Timestamp The previous session label (midnight UTC). Notes ----- Raises ValueError if the given session is the first session in this calendar. """ idx = self.schedule.index.get_loc(session_label) if idx == 0: raise ValueError("There is no previous session as this is the" " beginning of the exchange calendar.") return self.schedule.index[idx - 1]
python
def previous_session_label(self, session_label): """ Given a session label, returns the label of the previous session. Parameters ---------- session_label: pd.Timestamp A session whose previous session is desired. Returns ------- pd.Timestamp The previous session label (midnight UTC). Notes ----- Raises ValueError if the given session is the first session in this calendar. """ idx = self.schedule.index.get_loc(session_label) if idx == 0: raise ValueError("There is no previous session as this is the" " beginning of the exchange calendar.") return self.schedule.index[idx - 1]
[ "def", "previous_session_label", "(", "self", ",", "session_label", ")", ":", "idx", "=", "self", ".", "schedule", ".", "index", ".", "get_loc", "(", "session_label", ")", "if", "idx", "==", "0", ":", "raise", "ValueError", "(", "\"There is no previous session...
Given a session label, returns the label of the previous session. Parameters ---------- session_label: pd.Timestamp A session whose previous session is desired. Returns ------- pd.Timestamp The previous session label (midnight UTC). Notes ----- Raises ValueError if the given session is the first session in this calendar.
[ "Given", "a", "session", "label", "returns", "the", "label", "of", "the", "previous", "session", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L494-L518
train
229,495
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.minutes_for_session
def minutes_for_session(self, session_label): """ Given a session label, return the minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the minutes for the given session. """ return self.minutes_in_range( start_minute=self.schedule.at[session_label, 'market_open'], end_minute=self.schedule.at[session_label, 'market_close'], )
python
def minutes_for_session(self, session_label): """ Given a session label, return the minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the minutes for the given session. """ return self.minutes_in_range( start_minute=self.schedule.at[session_label, 'market_open'], end_minute=self.schedule.at[session_label, 'market_close'], )
[ "def", "minutes_for_session", "(", "self", ",", "session_label", ")", ":", "return", "self", ".", "minutes_in_range", "(", "start_minute", "=", "self", ".", "schedule", ".", "at", "[", "session_label", ",", "'market_open'", "]", ",", "end_minute", "=", "self",...
Given a session label, return the minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the minutes for the given session.
[ "Given", "a", "session", "label", "return", "the", "minutes", "for", "that", "session", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L520-L537
train
229,496
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.execution_minutes_for_session
def execution_minutes_for_session(self, session_label): """ Given a session label, return the execution minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the execution minutes for the given session. """ return self.minutes_in_range( start_minute=self.execution_time_from_open( self.schedule.at[session_label, 'market_open'], ), end_minute=self.execution_time_from_close( self.schedule.at[session_label, 'market_close'], ), )
python
def execution_minutes_for_session(self, session_label): """ Given a session label, return the execution minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the execution minutes for the given session. """ return self.minutes_in_range( start_minute=self.execution_time_from_open( self.schedule.at[session_label, 'market_open'], ), end_minute=self.execution_time_from_close( self.schedule.at[session_label, 'market_close'], ), )
[ "def", "execution_minutes_for_session", "(", "self", ",", "session_label", ")", ":", "return", "self", ".", "minutes_in_range", "(", "start_minute", "=", "self", ".", "execution_time_from_open", "(", "self", ".", "schedule", ".", "at", "[", "session_label", ",", ...
Given a session label, return the execution minutes for that session. Parameters ---------- session_label: pd.Timestamp (midnight UTC) A session label whose session's minutes are desired. Returns ------- pd.DateTimeIndex All the execution minutes for the given session.
[ "Given", "a", "session", "label", "return", "the", "execution", "minutes", "for", "that", "session", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L539-L560
train
229,497
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.sessions_in_range
def sessions_in_range(self, start_session_label, end_session_label): """ Given start and end session labels, return all the sessions in that range, inclusive. Parameters ---------- start_session_label: pd.Timestamp (midnight UTC) The label representing the first session of the desired range. end_session_label: pd.Timestamp (midnight UTC) The label representing the last session of the desired range. Returns ------- pd.DatetimeIndex The desired sessions. """ return self.all_sessions[ self.all_sessions.slice_indexer( start_session_label, end_session_label ) ]
python
def sessions_in_range(self, start_session_label, end_session_label): """ Given start and end session labels, return all the sessions in that range, inclusive. Parameters ---------- start_session_label: pd.Timestamp (midnight UTC) The label representing the first session of the desired range. end_session_label: pd.Timestamp (midnight UTC) The label representing the last session of the desired range. Returns ------- pd.DatetimeIndex The desired sessions. """ return self.all_sessions[ self.all_sessions.slice_indexer( start_session_label, end_session_label ) ]
[ "def", "sessions_in_range", "(", "self", ",", "start_session_label", ",", "end_session_label", ")", ":", "return", "self", ".", "all_sessions", "[", "self", ".", "all_sessions", ".", "slice_indexer", "(", "start_session_label", ",", "end_session_label", ")", "]" ]
Given start and end session labels, return all the sessions in that range, inclusive. Parameters ---------- start_session_label: pd.Timestamp (midnight UTC) The label representing the first session of the desired range. end_session_label: pd.Timestamp (midnight UTC) The label representing the last session of the desired range. Returns ------- pd.DatetimeIndex The desired sessions.
[ "Given", "start", "and", "end", "session", "labels", "return", "all", "the", "sessions", "in", "that", "range", "inclusive", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L592-L615
train
229,498
quantopian/trading_calendars
trading_calendars/trading_calendar.py
TradingCalendar.minutes_in_range
def minutes_in_range(self, start_minute, end_minute): """ Given start and end minutes, return all the calendar minutes in that range, inclusive. Given minutes don't need to be calendar minutes. Parameters ---------- start_minute: pd.Timestamp The minute representing the start of the desired range. end_minute: pd.Timestamp The minute representing the end of the desired range. Returns ------- pd.DatetimeIndex The minutes in the desired range. """ start_idx = searchsorted(self._trading_minutes_nanos, start_minute.value) end_idx = searchsorted(self._trading_minutes_nanos, end_minute.value) if end_minute.value == self._trading_minutes_nanos[end_idx]: # if the end minute is a market minute, increase by 1 end_idx += 1 return self.all_minutes[start_idx:end_idx]
python
def minutes_in_range(self, start_minute, end_minute): """ Given start and end minutes, return all the calendar minutes in that range, inclusive. Given minutes don't need to be calendar minutes. Parameters ---------- start_minute: pd.Timestamp The minute representing the start of the desired range. end_minute: pd.Timestamp The minute representing the end of the desired range. Returns ------- pd.DatetimeIndex The minutes in the desired range. """ start_idx = searchsorted(self._trading_minutes_nanos, start_minute.value) end_idx = searchsorted(self._trading_minutes_nanos, end_minute.value) if end_minute.value == self._trading_minutes_nanos[end_idx]: # if the end minute is a market minute, increase by 1 end_idx += 1 return self.all_minutes[start_idx:end_idx]
[ "def", "minutes_in_range", "(", "self", ",", "start_minute", ",", "end_minute", ")", ":", "start_idx", "=", "searchsorted", "(", "self", ".", "_trading_minutes_nanos", ",", "start_minute", ".", "value", ")", "end_idx", "=", "searchsorted", "(", "self", ".", "_...
Given start and end minutes, return all the calendar minutes in that range, inclusive. Given minutes don't need to be calendar minutes. Parameters ---------- start_minute: pd.Timestamp The minute representing the start of the desired range. end_minute: pd.Timestamp The minute representing the end of the desired range. Returns ------- pd.DatetimeIndex The minutes in the desired range.
[ "Given", "start", "and", "end", "minutes", "return", "all", "the", "calendar", "minutes", "in", "that", "range", "inclusive", "." ]
951711c82c8a2875c09e96e2979faaf8734fb4df
https://github.com/quantopian/trading_calendars/blob/951711c82c8a2875c09e96e2979faaf8734fb4df/trading_calendars/trading_calendar.py#L681-L711
train
229,499