partition stringclasses 3 values | func_name stringlengths 1 134 | docstring stringlengths 1 46.9k | path stringlengths 4 223 | original_string stringlengths 75 104k | code stringlengths 75 104k | docstring_tokens listlengths 1 1.97k | repo stringlengths 7 55 | language stringclasses 1 value | url stringlengths 87 315 | code_tokens listlengths 19 28.4k | sha stringlengths 40 40 |
|---|---|---|---|---|---|---|---|---|---|---|---|
valid | Tracker.extract_logical_plan | Returns the representation of logical plan that will
be returned from Tracker. | heron/tools/tracker/src/python/tracker.py | def extract_logical_plan(self, topology):
"""
Returns the representation of logical plan that will
be returned from Tracker.
"""
logicalPlan = {
"spouts": {},
"bolts": {},
}
# Add spouts.
for spout in topology.spouts():
spoutName = spout.comp.name
spoutType = "default"
spoutSource = "NA"
spoutVersion = "NA"
spoutConfigs = spout.comp.config.kvs
for kvs in spoutConfigs:
if kvs.key == "spout.type":
spoutType = javaobj.loads(kvs.serialized_value)
elif kvs.key == "spout.source":
spoutSource = javaobj.loads(kvs.serialized_value)
elif kvs.key == "spout.version":
spoutVersion = javaobj.loads(kvs.serialized_value)
spoutPlan = {
"config": convert_pb_kvs(spoutConfigs, include_non_primitives=False),
"type": spoutType,
"source": spoutSource,
"version": spoutVersion,
"outputs": []
}
for outputStream in list(spout.outputs):
spoutPlan["outputs"].append({
"stream_name": outputStream.stream.id
})
logicalPlan["spouts"][spoutName] = spoutPlan
# Add bolts.
for bolt in topology.bolts():
boltName = bolt.comp.name
boltPlan = {
"config": convert_pb_kvs(bolt.comp.config.kvs, include_non_primitives=False),
"outputs": [],
"inputs": []
}
for outputStream in list(bolt.outputs):
boltPlan["outputs"].append({
"stream_name": outputStream.stream.id
})
for inputStream in list(bolt.inputs):
boltPlan["inputs"].append({
"stream_name": inputStream.stream.id,
"component_name": inputStream.stream.component_name,
"grouping": topology_pb2.Grouping.Name(inputStream.gtype)
})
logicalPlan["bolts"][boltName] = boltPlan
return logicalPlan | def extract_logical_plan(self, topology):
"""
Returns the representation of logical plan that will
be returned from Tracker.
"""
logicalPlan = {
"spouts": {},
"bolts": {},
}
# Add spouts.
for spout in topology.spouts():
spoutName = spout.comp.name
spoutType = "default"
spoutSource = "NA"
spoutVersion = "NA"
spoutConfigs = spout.comp.config.kvs
for kvs in spoutConfigs:
if kvs.key == "spout.type":
spoutType = javaobj.loads(kvs.serialized_value)
elif kvs.key == "spout.source":
spoutSource = javaobj.loads(kvs.serialized_value)
elif kvs.key == "spout.version":
spoutVersion = javaobj.loads(kvs.serialized_value)
spoutPlan = {
"config": convert_pb_kvs(spoutConfigs, include_non_primitives=False),
"type": spoutType,
"source": spoutSource,
"version": spoutVersion,
"outputs": []
}
for outputStream in list(spout.outputs):
spoutPlan["outputs"].append({
"stream_name": outputStream.stream.id
})
logicalPlan["spouts"][spoutName] = spoutPlan
# Add bolts.
for bolt in topology.bolts():
boltName = bolt.comp.name
boltPlan = {
"config": convert_pb_kvs(bolt.comp.config.kvs, include_non_primitives=False),
"outputs": [],
"inputs": []
}
for outputStream in list(bolt.outputs):
boltPlan["outputs"].append({
"stream_name": outputStream.stream.id
})
for inputStream in list(bolt.inputs):
boltPlan["inputs"].append({
"stream_name": inputStream.stream.id,
"component_name": inputStream.stream.component_name,
"grouping": topology_pb2.Grouping.Name(inputStream.gtype)
})
logicalPlan["bolts"][boltName] = boltPlan
return logicalPlan | [
"Returns",
"the",
"representation",
"of",
"logical",
"plan",
"that",
"will",
"be",
"returned",
"from",
"Tracker",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/tracker.py#L378-L437 | [
"def",
"extract_logical_plan",
"(",
"self",
",",
"topology",
")",
":",
"logicalPlan",
"=",
"{",
"\"spouts\"",
":",
"{",
"}",
",",
"\"bolts\"",
":",
"{",
"}",
",",
"}",
"# Add spouts.",
"for",
"spout",
"in",
"topology",
".",
"spouts",
"(",
")",
":",
"sp... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Tracker.extract_physical_plan | Returns the representation of physical plan that will
be returned from Tracker. | heron/tools/tracker/src/python/tracker.py | def extract_physical_plan(self, topology):
"""
Returns the representation of physical plan that will
be returned from Tracker.
"""
physicalPlan = {
"instances": {},
"instance_groups": {},
"stmgrs": {},
"spouts": {},
"bolts": {},
"config": {},
"components": {}
}
if not topology.physical_plan:
return physicalPlan
spouts = topology.spouts()
bolts = topology.bolts()
stmgrs = None
instances = None
# Physical Plan
stmgrs = list(topology.physical_plan.stmgrs)
instances = list(topology.physical_plan.instances)
# Configs
if topology.physical_plan.topology.topology_config:
physicalPlan["config"] = convert_pb_kvs(topology.physical_plan.topology.topology_config.kvs)
for spout in spouts:
spout_name = spout.comp.name
physicalPlan["spouts"][spout_name] = []
if spout_name not in physicalPlan["components"]:
physicalPlan["components"][spout_name] = {
"config": convert_pb_kvs(spout.comp.config.kvs)
}
for bolt in bolts:
bolt_name = bolt.comp.name
physicalPlan["bolts"][bolt_name] = []
if bolt_name not in physicalPlan["components"]:
physicalPlan["components"][bolt_name] = {
"config": convert_pb_kvs(bolt.comp.config.kvs)
}
for stmgr in stmgrs:
host = stmgr.host_name
cwd = stmgr.cwd
shell_port = stmgr.shell_port if stmgr.HasField("shell_port") else None
physicalPlan["stmgrs"][stmgr.id] = {
"id": stmgr.id,
"host": host,
"port": stmgr.data_port,
"shell_port": shell_port,
"cwd": cwd,
"pid": stmgr.pid,
"joburl": utils.make_shell_job_url(host, shell_port, cwd),
"logfiles": utils.make_shell_logfiles_url(host, shell_port, cwd),
"instance_ids": []
}
instance_groups = collections.OrderedDict()
for instance in instances:
instance_id = instance.instance_id
stmgrId = instance.stmgr_id
name = instance.info.component_name
stmgrInfo = physicalPlan["stmgrs"][stmgrId]
host = stmgrInfo["host"]
cwd = stmgrInfo["cwd"]
shell_port = stmgrInfo["shell_port"]
# instance_id format container_<index>_component_1
# group name is container_<index>
group_name = instance_id.rsplit("_", 2)[0]
igroup = instance_groups.get(group_name, list())
igroup.append(instance_id)
instance_groups[group_name] = igroup
physicalPlan["instances"][instance_id] = {
"id": instance_id,
"name": name,
"stmgrId": stmgrId,
"logfile": utils.make_shell_logfiles_url(host, shell_port, cwd, instance.instance_id),
}
physicalPlan["stmgrs"][stmgrId]["instance_ids"].append(instance_id)
if name in physicalPlan["spouts"]:
physicalPlan["spouts"][name].append(instance_id)
else:
physicalPlan["bolts"][name].append(instance_id)
physicalPlan["instance_groups"] = instance_groups
return physicalPlan | def extract_physical_plan(self, topology):
"""
Returns the representation of physical plan that will
be returned from Tracker.
"""
physicalPlan = {
"instances": {},
"instance_groups": {},
"stmgrs": {},
"spouts": {},
"bolts": {},
"config": {},
"components": {}
}
if not topology.physical_plan:
return physicalPlan
spouts = topology.spouts()
bolts = topology.bolts()
stmgrs = None
instances = None
# Physical Plan
stmgrs = list(topology.physical_plan.stmgrs)
instances = list(topology.physical_plan.instances)
# Configs
if topology.physical_plan.topology.topology_config:
physicalPlan["config"] = convert_pb_kvs(topology.physical_plan.topology.topology_config.kvs)
for spout in spouts:
spout_name = spout.comp.name
physicalPlan["spouts"][spout_name] = []
if spout_name not in physicalPlan["components"]:
physicalPlan["components"][spout_name] = {
"config": convert_pb_kvs(spout.comp.config.kvs)
}
for bolt in bolts:
bolt_name = bolt.comp.name
physicalPlan["bolts"][bolt_name] = []
if bolt_name not in physicalPlan["components"]:
physicalPlan["components"][bolt_name] = {
"config": convert_pb_kvs(bolt.comp.config.kvs)
}
for stmgr in stmgrs:
host = stmgr.host_name
cwd = stmgr.cwd
shell_port = stmgr.shell_port if stmgr.HasField("shell_port") else None
physicalPlan["stmgrs"][stmgr.id] = {
"id": stmgr.id,
"host": host,
"port": stmgr.data_port,
"shell_port": shell_port,
"cwd": cwd,
"pid": stmgr.pid,
"joburl": utils.make_shell_job_url(host, shell_port, cwd),
"logfiles": utils.make_shell_logfiles_url(host, shell_port, cwd),
"instance_ids": []
}
instance_groups = collections.OrderedDict()
for instance in instances:
instance_id = instance.instance_id
stmgrId = instance.stmgr_id
name = instance.info.component_name
stmgrInfo = physicalPlan["stmgrs"][stmgrId]
host = stmgrInfo["host"]
cwd = stmgrInfo["cwd"]
shell_port = stmgrInfo["shell_port"]
# instance_id format container_<index>_component_1
# group name is container_<index>
group_name = instance_id.rsplit("_", 2)[0]
igroup = instance_groups.get(group_name, list())
igroup.append(instance_id)
instance_groups[group_name] = igroup
physicalPlan["instances"][instance_id] = {
"id": instance_id,
"name": name,
"stmgrId": stmgrId,
"logfile": utils.make_shell_logfiles_url(host, shell_port, cwd, instance.instance_id),
}
physicalPlan["stmgrs"][stmgrId]["instance_ids"].append(instance_id)
if name in physicalPlan["spouts"]:
physicalPlan["spouts"][name].append(instance_id)
else:
physicalPlan["bolts"][name].append(instance_id)
physicalPlan["instance_groups"] = instance_groups
return physicalPlan | [
"Returns",
"the",
"representation",
"of",
"physical",
"plan",
"that",
"will",
"be",
"returned",
"from",
"Tracker",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/tracker.py#L440-L534 | [
"def",
"extract_physical_plan",
"(",
"self",
",",
"topology",
")",
":",
"physicalPlan",
"=",
"{",
"\"instances\"",
":",
"{",
"}",
",",
"\"instance_groups\"",
":",
"{",
"}",
",",
"\"stmgrs\"",
":",
"{",
"}",
",",
"\"spouts\"",
":",
"{",
"}",
",",
"\"bolts... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Tracker.extract_packing_plan | Returns the representation of packing plan that will
be returned from Tracker. | heron/tools/tracker/src/python/tracker.py | def extract_packing_plan(self, topology):
"""
Returns the representation of packing plan that will
be returned from Tracker.
"""
packingPlan = {
"id": "",
"container_plans": []
}
if not topology.packing_plan:
return packingPlan
container_plans = topology.packing_plan.container_plans
containers = []
for container_plan in container_plans:
instances = []
for instance_plan in container_plan.instance_plans:
instance_resources = {"cpu": instance_plan.resource.cpu,
"ram": instance_plan.resource.ram,
"disk": instance_plan.resource.disk}
instance = {"component_name" : instance_plan.component_name,
"task_id" : instance_plan.task_id,
"component_index": instance_plan.component_index,
"instance_resources": instance_resources}
instances.append(instance)
required_resource = {"cpu": container_plan.requiredResource.cpu,
"ram": container_plan.requiredResource.ram,
"disk": container_plan.requiredResource.disk}
scheduled_resource = {}
if container_plan.scheduledResource:
scheduled_resource = {"cpu": container_plan.scheduledResource.cpu,
"ram": container_plan.scheduledResource.ram,
"disk": container_plan.scheduledResource.disk}
container = {"id": container_plan.id,
"instances": instances,
"required_resources": required_resource,
"scheduled_resources": scheduled_resource}
containers.append(container)
packingPlan["id"] = topology.packing_plan.id
packingPlan["container_plans"] = containers
return json.dumps(packingPlan) | def extract_packing_plan(self, topology):
"""
Returns the representation of packing plan that will
be returned from Tracker.
"""
packingPlan = {
"id": "",
"container_plans": []
}
if not topology.packing_plan:
return packingPlan
container_plans = topology.packing_plan.container_plans
containers = []
for container_plan in container_plans:
instances = []
for instance_plan in container_plan.instance_plans:
instance_resources = {"cpu": instance_plan.resource.cpu,
"ram": instance_plan.resource.ram,
"disk": instance_plan.resource.disk}
instance = {"component_name" : instance_plan.component_name,
"task_id" : instance_plan.task_id,
"component_index": instance_plan.component_index,
"instance_resources": instance_resources}
instances.append(instance)
required_resource = {"cpu": container_plan.requiredResource.cpu,
"ram": container_plan.requiredResource.ram,
"disk": container_plan.requiredResource.disk}
scheduled_resource = {}
if container_plan.scheduledResource:
scheduled_resource = {"cpu": container_plan.scheduledResource.cpu,
"ram": container_plan.scheduledResource.ram,
"disk": container_plan.scheduledResource.disk}
container = {"id": container_plan.id,
"instances": instances,
"required_resources": required_resource,
"scheduled_resources": scheduled_resource}
containers.append(container)
packingPlan["id"] = topology.packing_plan.id
packingPlan["container_plans"] = containers
return json.dumps(packingPlan) | [
"Returns",
"the",
"representation",
"of",
"packing",
"plan",
"that",
"will",
"be",
"returned",
"from",
"Tracker",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/tracker.py#L537-L580 | [
"def",
"extract_packing_plan",
"(",
"self",
",",
"topology",
")",
":",
"packingPlan",
"=",
"{",
"\"id\"",
":",
"\"\"",
",",
"\"container_plans\"",
":",
"[",
"]",
"}",
"if",
"not",
"topology",
".",
"packing_plan",
":",
"return",
"packingPlan",
"container_plans"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Tracker.setTopologyInfo | Extracts info from the stored proto states and
convert it into representation that is exposed using
the API.
This method is called on any change for the topology.
For example, when a container moves and its host or some
port changes. All the information is parsed all over
again and cache is updated. | heron/tools/tracker/src/python/tracker.py | def setTopologyInfo(self, topology):
"""
Extracts info from the stored proto states and
convert it into representation that is exposed using
the API.
This method is called on any change for the topology.
For example, when a container moves and its host or some
port changes. All the information is parsed all over
again and cache is updated.
"""
# Execution state is the most basic info.
# If there is no execution state, just return
# as the rest of the things don't matter.
if not topology.execution_state:
Log.info("No execution state found for: " + topology.name)
return
Log.info("Setting topology info for topology: " + topology.name)
has_physical_plan = True
if not topology.physical_plan:
has_physical_plan = False
Log.info("Setting topology info for topology: " + topology.name)
has_packing_plan = True
if not topology.packing_plan:
has_packing_plan = False
has_tmaster_location = True
if not topology.tmaster:
has_tmaster_location = False
has_scheduler_location = True
if not topology.scheduler_location:
has_scheduler_location = False
topologyInfo = {
"name": topology.name,
"id": topology.id,
"logical_plan": None,
"physical_plan": None,
"packing_plan": None,
"execution_state": None,
"tmaster_location": None,
"scheduler_location": None,
}
executionState = self.extract_execution_state(topology)
executionState["has_physical_plan"] = has_physical_plan
executionState["has_packing_plan"] = has_packing_plan
executionState["has_tmaster_location"] = has_tmaster_location
executionState["has_scheduler_location"] = has_scheduler_location
executionState["status"] = topology.get_status()
topologyInfo["metadata"] = self.extract_metadata(topology)
topologyInfo["runtime_state"] = self.extract_runtime_state(topology)
topologyInfo["execution_state"] = executionState
topologyInfo["logical_plan"] = self.extract_logical_plan(topology)
topologyInfo["physical_plan"] = self.extract_physical_plan(topology)
topologyInfo["packing_plan"] = self.extract_packing_plan(topology)
topologyInfo["tmaster_location"] = self.extract_tmaster(topology)
topologyInfo["scheduler_location"] = self.extract_scheduler_location(topology)
self.topologyInfos[(topology.name, topology.state_manager_name)] = topologyInfo | def setTopologyInfo(self, topology):
"""
Extracts info from the stored proto states and
convert it into representation that is exposed using
the API.
This method is called on any change for the topology.
For example, when a container moves and its host or some
port changes. All the information is parsed all over
again and cache is updated.
"""
# Execution state is the most basic info.
# If there is no execution state, just return
# as the rest of the things don't matter.
if not topology.execution_state:
Log.info("No execution state found for: " + topology.name)
return
Log.info("Setting topology info for topology: " + topology.name)
has_physical_plan = True
if not topology.physical_plan:
has_physical_plan = False
Log.info("Setting topology info for topology: " + topology.name)
has_packing_plan = True
if not topology.packing_plan:
has_packing_plan = False
has_tmaster_location = True
if not topology.tmaster:
has_tmaster_location = False
has_scheduler_location = True
if not topology.scheduler_location:
has_scheduler_location = False
topologyInfo = {
"name": topology.name,
"id": topology.id,
"logical_plan": None,
"physical_plan": None,
"packing_plan": None,
"execution_state": None,
"tmaster_location": None,
"scheduler_location": None,
}
executionState = self.extract_execution_state(topology)
executionState["has_physical_plan"] = has_physical_plan
executionState["has_packing_plan"] = has_packing_plan
executionState["has_tmaster_location"] = has_tmaster_location
executionState["has_scheduler_location"] = has_scheduler_location
executionState["status"] = topology.get_status()
topologyInfo["metadata"] = self.extract_metadata(topology)
topologyInfo["runtime_state"] = self.extract_runtime_state(topology)
topologyInfo["execution_state"] = executionState
topologyInfo["logical_plan"] = self.extract_logical_plan(topology)
topologyInfo["physical_plan"] = self.extract_physical_plan(topology)
topologyInfo["packing_plan"] = self.extract_packing_plan(topology)
topologyInfo["tmaster_location"] = self.extract_tmaster(topology)
topologyInfo["scheduler_location"] = self.extract_scheduler_location(topology)
self.topologyInfos[(topology.name, topology.state_manager_name)] = topologyInfo | [
"Extracts",
"info",
"from",
"the",
"stored",
"proto",
"states",
"and",
"convert",
"it",
"into",
"representation",
"that",
"is",
"exposed",
"using",
"the",
"API",
".",
"This",
"method",
"is",
"called",
"on",
"any",
"change",
"for",
"the",
"topology",
".",
"... | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/tracker.py#L582-L645 | [
"def",
"setTopologyInfo",
"(",
"self",
",",
"topology",
")",
":",
"# Execution state is the most basic info.",
"# If there is no execution state, just return",
"# as the rest of the things don't matter.",
"if",
"not",
"topology",
".",
"execution_state",
":",
"Log",
".",
"info",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Tracker.getTopologyInfo | Returns the JSON representation of a topology
by its name, cluster, environ, and an optional role parameter.
Raises exception if no such topology is found. | heron/tools/tracker/src/python/tracker.py | def getTopologyInfo(self, topologyName, cluster, role, environ):
"""
Returns the JSON representation of a topology
by its name, cluster, environ, and an optional role parameter.
Raises exception if no such topology is found.
"""
# Iterate over the values to filter the desired topology.
for (topology_name, _), topologyInfo in self.topologyInfos.items():
executionState = topologyInfo["execution_state"]
if (topologyName == topology_name and
cluster == executionState["cluster"] and
environ == executionState["environ"]):
# If role is specified, first try to match "role" field. If "role" field
# does not exist, try to match "submission_user" field.
if not role or executionState.get("role") == role:
return topologyInfo
if role is not None:
Log.info("Could not find topology info for topology: %s," \
"cluster: %s, role: %s, and environ: %s",
topologyName, cluster, role, environ)
else:
Log.info("Could not find topology info for topology: %s," \
"cluster: %s and environ: %s", topologyName, cluster, environ)
raise Exception("No topology found") | def getTopologyInfo(self, topologyName, cluster, role, environ):
"""
Returns the JSON representation of a topology
by its name, cluster, environ, and an optional role parameter.
Raises exception if no such topology is found.
"""
# Iterate over the values to filter the desired topology.
for (topology_name, _), topologyInfo in self.topologyInfos.items():
executionState = topologyInfo["execution_state"]
if (topologyName == topology_name and
cluster == executionState["cluster"] and
environ == executionState["environ"]):
# If role is specified, first try to match "role" field. If "role" field
# does not exist, try to match "submission_user" field.
if not role or executionState.get("role") == role:
return topologyInfo
if role is not None:
Log.info("Could not find topology info for topology: %s," \
"cluster: %s, role: %s, and environ: %s",
topologyName, cluster, role, environ)
else:
Log.info("Could not find topology info for topology: %s," \
"cluster: %s and environ: %s", topologyName, cluster, environ)
raise Exception("No topology found") | [
"Returns",
"the",
"JSON",
"representation",
"of",
"a",
"topology",
"by",
"its",
"name",
"cluster",
"environ",
"and",
"an",
"optional",
"role",
"parameter",
".",
"Raises",
"exception",
"if",
"no",
"such",
"topology",
"is",
"found",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/tracker.py#L647-L670 | [
"def",
"getTopologyInfo",
"(",
"self",
",",
"topologyName",
",",
"cluster",
",",
"role",
",",
"environ",
")",
":",
"# Iterate over the values to filter the desired topology.",
"for",
"(",
"topology_name",
",",
"_",
")",
",",
"topologyInfo",
"in",
"self",
".",
"top... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Config.load_configs | load config files | heron/tools/tracker/src/python/config.py | def load_configs(self):
"""load config files"""
self.statemgr_config.set_state_locations(self.configs[STATEMGRS_KEY])
if EXTRA_LINKS_KEY in self.configs:
for extra_link in self.configs[EXTRA_LINKS_KEY]:
self.extra_links.append(self.validate_extra_link(extra_link)) | def load_configs(self):
"""load config files"""
self.statemgr_config.set_state_locations(self.configs[STATEMGRS_KEY])
if EXTRA_LINKS_KEY in self.configs:
for extra_link in self.configs[EXTRA_LINKS_KEY]:
self.extra_links.append(self.validate_extra_link(extra_link)) | [
"load",
"config",
"files"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/config.py#L44-L49 | [
"def",
"load_configs",
"(",
"self",
")",
":",
"self",
".",
"statemgr_config",
".",
"set_state_locations",
"(",
"self",
".",
"configs",
"[",
"STATEMGRS_KEY",
"]",
")",
"if",
"EXTRA_LINKS_KEY",
"in",
"self",
".",
"configs",
":",
"for",
"extra_link",
"in",
"sel... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Config.validate_extra_link | validate extra link | heron/tools/tracker/src/python/config.py | def validate_extra_link(self, extra_link):
"""validate extra link"""
if EXTRA_LINK_NAME_KEY not in extra_link or EXTRA_LINK_FORMATTER_KEY not in extra_link:
raise Exception("Invalid extra.links format. " +
"Extra link must include a 'name' and 'formatter' field")
self.validated_formatter(extra_link[EXTRA_LINK_FORMATTER_KEY])
return extra_link | def validate_extra_link(self, extra_link):
"""validate extra link"""
if EXTRA_LINK_NAME_KEY not in extra_link or EXTRA_LINK_FORMATTER_KEY not in extra_link:
raise Exception("Invalid extra.links format. " +
"Extra link must include a 'name' and 'formatter' field")
self.validated_formatter(extra_link[EXTRA_LINK_FORMATTER_KEY])
return extra_link | [
"validate",
"extra",
"link"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/config.py#L51-L58 | [
"def",
"validate_extra_link",
"(",
"self",
",",
"extra_link",
")",
":",
"if",
"EXTRA_LINK_NAME_KEY",
"not",
"in",
"extra_link",
"or",
"EXTRA_LINK_FORMATTER_KEY",
"not",
"in",
"extra_link",
":",
"raise",
"Exception",
"(",
"\"Invalid extra.links format. \"",
"+",
"\"Ext... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Config.validated_formatter | validate visualization url format | heron/tools/tracker/src/python/config.py | def validated_formatter(self, url_format):
"""validate visualization url format"""
# We try to create a string by substituting all known
# parameters. If an unknown parameter is present, an error
# will be thrown
valid_parameters = {
"${CLUSTER}": "cluster",
"${ENVIRON}": "environ",
"${TOPOLOGY}": "topology",
"${ROLE}": "role",
"${USER}": "user",
}
dummy_formatted_url = url_format
for key, value in valid_parameters.items():
dummy_formatted_url = dummy_formatted_url.replace(key, value)
# All $ signs must have been replaced
if '$' in dummy_formatted_url:
raise Exception("Invalid viz.url.format: %s" % (url_format))
# No error is thrown, so the format is valid.
return url_format | def validated_formatter(self, url_format):
"""validate visualization url format"""
# We try to create a string by substituting all known
# parameters. If an unknown parameter is present, an error
# will be thrown
valid_parameters = {
"${CLUSTER}": "cluster",
"${ENVIRON}": "environ",
"${TOPOLOGY}": "topology",
"${ROLE}": "role",
"${USER}": "user",
}
dummy_formatted_url = url_format
for key, value in valid_parameters.items():
dummy_formatted_url = dummy_formatted_url.replace(key, value)
# All $ signs must have been replaced
if '$' in dummy_formatted_url:
raise Exception("Invalid viz.url.format: %s" % (url_format))
# No error is thrown, so the format is valid.
return url_format | [
"validate",
"visualization",
"url",
"format"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/config.py#L61-L82 | [
"def",
"validated_formatter",
"(",
"self",
",",
"url_format",
")",
":",
"# We try to create a string by substituting all known",
"# parameters. If an unknown parameter is present, an error",
"# will be thrown",
"valid_parameters",
"=",
"{",
"\"${CLUSTER}\"",
":",
"\"cluster\"",
","... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutInstance.emit | Emits a new tuple from this Spout
It is compatible with StreamParse API.
:type tup: list or tuple
:param tup: the new output Tuple to send from this spout,
should contain only serializable data.
:type tup_id: str or object
:param tup_id: the ID for the Tuple. Leave this blank for an unreliable emit.
(Same as messageId in Java)
:type stream: str
:param stream: the ID of the stream this Tuple should be emitted to.
Leave empty to emit to the default stream.
:type direct_task: int
:param direct_task: the task to send the Tuple to if performing a direct emit.
:type need_task_ids: bool
:param need_task_ids: indicate whether or not you would like the task IDs the Tuple was emitted. | heron/instance/src/python/basics/spout_instance.py | def emit(self, tup, tup_id=None, stream=Stream.DEFAULT_STREAM_ID,
direct_task=None, need_task_ids=False):
"""Emits a new tuple from this Spout
It is compatible with StreamParse API.
:type tup: list or tuple
:param tup: the new output Tuple to send from this spout,
should contain only serializable data.
:type tup_id: str or object
:param tup_id: the ID for the Tuple. Leave this blank for an unreliable emit.
(Same as messageId in Java)
:type stream: str
:param stream: the ID of the stream this Tuple should be emitted to.
Leave empty to emit to the default stream.
:type direct_task: int
:param direct_task: the task to send the Tuple to if performing a direct emit.
:type need_task_ids: bool
:param need_task_ids: indicate whether or not you would like the task IDs the Tuple was emitted.
"""
# first check whether this tuple is sane
self.pplan_helper.check_output_schema(stream, tup)
# get custom grouping target task ids; get empty list if not custom grouping
custom_target_task_ids = self.pplan_helper.choose_tasks_for_custom_grouping(stream, tup)
self.pplan_helper.context.invoke_hook_emit(tup, stream, None)
data_tuple = tuple_pb2.HeronDataTuple()
data_tuple.key = 0
if direct_task is not None:
if not isinstance(direct_task, int):
raise TypeError("direct_task argument needs to be an integer, given: %s"
% str(type(direct_task)))
# performing emit-direct
data_tuple.dest_task_ids.append(direct_task)
elif custom_target_task_ids is not None:
# for custom grouping
for task_id in custom_target_task_ids:
data_tuple.dest_task_ids.append(task_id)
if tup_id is not None:
tuple_info = TupleHelper.make_root_tuple_info(stream, tup_id)
if self.acking_enabled:
# this message is rooted
root = data_tuple.roots.add()
root.taskid = self.pplan_helper.my_task_id
root.key = tuple_info.key
self.in_flight_tuples[tuple_info.key] = tuple_info
else:
self.immediate_acks.append(tuple_info)
tuple_size_in_bytes = 0
start_time = time.time()
# Serialize
for obj in tup:
serialized = self.serializer.serialize(obj)
data_tuple.values.append(serialized)
tuple_size_in_bytes += len(serialized)
serialize_latency_ns = (time.time() - start_time) * system_constants.SEC_TO_NS
self.spout_metrics.serialize_data_tuple(stream, serialize_latency_ns)
super(SpoutInstance, self).admit_data_tuple(stream_id=stream, data_tuple=data_tuple,
tuple_size_in_bytes=tuple_size_in_bytes)
self.total_tuples_emitted += 1
self.spout_metrics.update_emit_count(stream)
if need_task_ids:
sent_task_ids = custom_target_task_ids or []
if direct_task is not None:
sent_task_ids.append(direct_task)
return sent_task_ids | def emit(self, tup, tup_id=None, stream=Stream.DEFAULT_STREAM_ID,
direct_task=None, need_task_ids=False):
"""Emits a new tuple from this Spout
It is compatible with StreamParse API.
:type tup: list or tuple
:param tup: the new output Tuple to send from this spout,
should contain only serializable data.
:type tup_id: str or object
:param tup_id: the ID for the Tuple. Leave this blank for an unreliable emit.
(Same as messageId in Java)
:type stream: str
:param stream: the ID of the stream this Tuple should be emitted to.
Leave empty to emit to the default stream.
:type direct_task: int
:param direct_task: the task to send the Tuple to if performing a direct emit.
:type need_task_ids: bool
:param need_task_ids: indicate whether or not you would like the task IDs the Tuple was emitted.
"""
# first check whether this tuple is sane
self.pplan_helper.check_output_schema(stream, tup)
# get custom grouping target task ids; get empty list if not custom grouping
custom_target_task_ids = self.pplan_helper.choose_tasks_for_custom_grouping(stream, tup)
self.pplan_helper.context.invoke_hook_emit(tup, stream, None)
data_tuple = tuple_pb2.HeronDataTuple()
data_tuple.key = 0
if direct_task is not None:
if not isinstance(direct_task, int):
raise TypeError("direct_task argument needs to be an integer, given: %s"
% str(type(direct_task)))
# performing emit-direct
data_tuple.dest_task_ids.append(direct_task)
elif custom_target_task_ids is not None:
# for custom grouping
for task_id in custom_target_task_ids:
data_tuple.dest_task_ids.append(task_id)
if tup_id is not None:
tuple_info = TupleHelper.make_root_tuple_info(stream, tup_id)
if self.acking_enabled:
# this message is rooted
root = data_tuple.roots.add()
root.taskid = self.pplan_helper.my_task_id
root.key = tuple_info.key
self.in_flight_tuples[tuple_info.key] = tuple_info
else:
self.immediate_acks.append(tuple_info)
tuple_size_in_bytes = 0
start_time = time.time()
# Serialize
for obj in tup:
serialized = self.serializer.serialize(obj)
data_tuple.values.append(serialized)
tuple_size_in_bytes += len(serialized)
serialize_latency_ns = (time.time() - start_time) * system_constants.SEC_TO_NS
self.spout_metrics.serialize_data_tuple(stream, serialize_latency_ns)
super(SpoutInstance, self).admit_data_tuple(stream_id=stream, data_tuple=data_tuple,
tuple_size_in_bytes=tuple_size_in_bytes)
self.total_tuples_emitted += 1
self.spout_metrics.update_emit_count(stream)
if need_task_ids:
sent_task_ids = custom_target_task_ids or []
if direct_task is not None:
sent_task_ids.append(direct_task)
return sent_task_ids | [
"Emits",
"a",
"new",
"tuple",
"from",
"this",
"Spout"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/basics/spout_instance.py#L101-L175 | [
"def",
"emit",
"(",
"self",
",",
"tup",
",",
"tup_id",
"=",
"None",
",",
"stream",
"=",
"Stream",
".",
"DEFAULT_STREAM_ID",
",",
"direct_task",
"=",
"None",
",",
"need_task_ids",
"=",
"False",
")",
":",
"# first check whether this tuple is sane",
"self",
".",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutInstance._is_continue_to_work | Checks whether we still need to do more work
When the topology state is RUNNING:
1. if the out_queue is not full and ack is not enabled, we could wake up next time to
produce more tuples and push to the out_queue
2. if the out_queue is not full but the acking is enabled, we need to make sure that
the number of pending tuples is smaller than max_spout_pending
3. if there are more to read, we will wake up itself next time. | heron/instance/src/python/basics/spout_instance.py | def _is_continue_to_work(self):
"""Checks whether we still need to do more work
When the topology state is RUNNING:
1. if the out_queue is not full and ack is not enabled, we could wake up next time to
produce more tuples and push to the out_queue
2. if the out_queue is not full but the acking is enabled, we need to make sure that
the number of pending tuples is smaller than max_spout_pending
3. if there are more to read, we will wake up itself next time.
"""
if not self._is_topology_running():
return False
max_spout_pending = \
self.pplan_helper.context.get_cluster_config().get(api_constants.TOPOLOGY_MAX_SPOUT_PENDING)
if not self.acking_enabled and self.output_helper.is_out_queue_available():
return True
elif self.acking_enabled and self.output_helper.is_out_queue_available() and \
len(self.in_flight_tuples) < max_spout_pending:
return True
elif self.acking_enabled and not self.in_stream.is_empty():
return True
else:
return False | def _is_continue_to_work(self):
"""Checks whether we still need to do more work
When the topology state is RUNNING:
1. if the out_queue is not full and ack is not enabled, we could wake up next time to
produce more tuples and push to the out_queue
2. if the out_queue is not full but the acking is enabled, we need to make sure that
the number of pending tuples is smaller than max_spout_pending
3. if there are more to read, we will wake up itself next time.
"""
if not self._is_topology_running():
return False
max_spout_pending = \
self.pplan_helper.context.get_cluster_config().get(api_constants.TOPOLOGY_MAX_SPOUT_PENDING)
if not self.acking_enabled and self.output_helper.is_out_queue_available():
return True
elif self.acking_enabled and self.output_helper.is_out_queue_available() and \
len(self.in_flight_tuples) < max_spout_pending:
return True
elif self.acking_enabled and not self.in_stream.is_empty():
return True
else:
return False | [
"Checks",
"whether",
"we",
"still",
"need",
"to",
"do",
"more",
"work"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/basics/spout_instance.py#L276-L300 | [
"def",
"_is_continue_to_work",
"(",
"self",
")",
":",
"if",
"not",
"self",
".",
"_is_topology_running",
"(",
")",
":",
"return",
"False",
"max_spout_pending",
"=",
"self",
".",
"pplan_helper",
".",
"context",
".",
"get_cluster_config",
"(",
")",
".",
"get",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | create_parser | create parser | heron/tools/explorer/src/python/logicalplan.py | def create_parser(subparsers):
""" create parser """
components_parser = subparsers.add_parser(
'components',
help='Display information of a topology\'s components',
usage="%(prog)s cluster/[role]/[env] topology-name [options]",
add_help=False)
args.add_cluster_role_env(components_parser)
args.add_topology_name(components_parser)
args.add_spouts(components_parser)
args.add_bolts(components_parser)
args.add_verbose(components_parser)
args.add_tracker_url(components_parser)
args.add_config(components_parser)
components_parser.set_defaults(subcommand='components')
return subparsers | def create_parser(subparsers):
""" create parser """
components_parser = subparsers.add_parser(
'components',
help='Display information of a topology\'s components',
usage="%(prog)s cluster/[role]/[env] topology-name [options]",
add_help=False)
args.add_cluster_role_env(components_parser)
args.add_topology_name(components_parser)
args.add_spouts(components_parser)
args.add_bolts(components_parser)
args.add_verbose(components_parser)
args.add_tracker_url(components_parser)
args.add_config(components_parser)
components_parser.set_defaults(subcommand='components')
return subparsers | [
"create",
"parser"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/explorer/src/python/logicalplan.py#L29-L45 | [
"def",
"create_parser",
"(",
"subparsers",
")",
":",
"components_parser",
"=",
"subparsers",
".",
"add_parser",
"(",
"'components'",
",",
"help",
"=",
"'Display information of a topology\\'s components'",
",",
"usage",
"=",
"\"%(prog)s cluster/[role]/[env] topology-name [opti... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | to_table | normalize raw logical plan info to table | heron/tools/explorer/src/python/logicalplan.py | def to_table(components, topo_info):
""" normalize raw logical plan info to table """
inputs, outputs = defaultdict(list), defaultdict(list)
for ctype, component in components.items():
if ctype == 'bolts':
for component_name, component_info in component.items():
for input_stream in component_info['inputs']:
input_name = input_stream['component_name']
inputs[component_name].append(input_name)
outputs[input_name].append(component_name)
info = []
spouts_instance = topo_info['physical_plan']['spouts']
bolts_instance = topo_info['physical_plan']['bolts']
for ctype, component in components.items():
# stages is an int so keep going
if ctype == "stages":
continue
for component_name, component_info in component.items():
row = [ctype[:-1], component_name]
if ctype == 'spouts':
row.append(len(spouts_instance[component_name]))
else:
row.append(len(bolts_instance[component_name]))
row.append(','.join(inputs.get(component_name, ['-'])))
row.append(','.join(outputs.get(component_name, ['-'])))
info.append(row)
header = ['type', 'name', 'parallelism', 'input', 'output']
return info, header | def to_table(components, topo_info):
""" normalize raw logical plan info to table """
inputs, outputs = defaultdict(list), defaultdict(list)
for ctype, component in components.items():
if ctype == 'bolts':
for component_name, component_info in component.items():
for input_stream in component_info['inputs']:
input_name = input_stream['component_name']
inputs[component_name].append(input_name)
outputs[input_name].append(component_name)
info = []
spouts_instance = topo_info['physical_plan']['spouts']
bolts_instance = topo_info['physical_plan']['bolts']
for ctype, component in components.items():
# stages is an int so keep going
if ctype == "stages":
continue
for component_name, component_info in component.items():
row = [ctype[:-1], component_name]
if ctype == 'spouts':
row.append(len(spouts_instance[component_name]))
else:
row.append(len(bolts_instance[component_name]))
row.append(','.join(inputs.get(component_name, ['-'])))
row.append(','.join(outputs.get(component_name, ['-'])))
info.append(row)
header = ['type', 'name', 'parallelism', 'input', 'output']
return info, header | [
"normalize",
"raw",
"logical",
"plan",
"info",
"to",
"table"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/explorer/src/python/logicalplan.py#L62-L89 | [
"def",
"to_table",
"(",
"components",
",",
"topo_info",
")",
":",
"inputs",
",",
"outputs",
"=",
"defaultdict",
"(",
"list",
")",
",",
"defaultdict",
"(",
"list",
")",
"for",
"ctype",
",",
"component",
"in",
"components",
".",
"items",
"(",
")",
":",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | filter_bolts | filter to keep bolts | heron/tools/explorer/src/python/logicalplan.py | def filter_bolts(table, header):
""" filter to keep bolts """
bolts_info = []
for row in table:
if row[0] == 'bolt':
bolts_info.append(row)
return bolts_info, header | def filter_bolts(table, header):
""" filter to keep bolts """
bolts_info = []
for row in table:
if row[0] == 'bolt':
bolts_info.append(row)
return bolts_info, header | [
"filter",
"to",
"keep",
"bolts"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/explorer/src/python/logicalplan.py#L92-L98 | [
"def",
"filter_bolts",
"(",
"table",
",",
"header",
")",
":",
"bolts_info",
"=",
"[",
"]",
"for",
"row",
"in",
"table",
":",
"if",
"row",
"[",
"0",
"]",
"==",
"'bolt'",
":",
"bolts_info",
".",
"append",
"(",
"row",
")",
"return",
"bolts_info",
",",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | filter_spouts | filter to keep spouts | heron/tools/explorer/src/python/logicalplan.py | def filter_spouts(table, header):
""" filter to keep spouts """
spouts_info = []
for row in table:
if row[0] == 'spout':
spouts_info.append(row)
return spouts_info, header | def filter_spouts(table, header):
""" filter to keep spouts """
spouts_info = []
for row in table:
if row[0] == 'spout':
spouts_info.append(row)
return spouts_info, header | [
"filter",
"to",
"keep",
"spouts"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/explorer/src/python/logicalplan.py#L101-L107 | [
"def",
"filter_spouts",
"(",
"table",
",",
"header",
")",
":",
"spouts_info",
"=",
"[",
"]",
"for",
"row",
"in",
"table",
":",
"if",
"row",
"[",
"0",
"]",
"==",
"'spout'",
":",
"spouts_info",
".",
"append",
"(",
"row",
")",
"return",
"spouts_info",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run | run command | heron/tools/explorer/src/python/logicalplan.py | def run(cl_args, compo_type):
""" run command """
cluster, role, env = cl_args['cluster'], cl_args['role'], cl_args['environ']
topology = cl_args['topology-name']
spouts_only, bolts_only = cl_args['spout'], cl_args['bolt']
try:
components = tracker_access.get_logical_plan(cluster, env, topology, role)
topo_info = tracker_access.get_topology_info(cluster, env, topology, role)
table, header = to_table(components, topo_info)
if spouts_only == bolts_only:
print(tabulate(table, headers=header))
elif spouts_only:
table, header = filter_spouts(table, header)
print(tabulate(table, headers=header))
else:
table, header = filter_bolts(table, header)
print(tabulate(table, headers=header))
return True
except:
Log.error("Fail to connect to tracker: \'%s\'", cl_args["tracker_url"])
return False | def run(cl_args, compo_type):
""" run command """
cluster, role, env = cl_args['cluster'], cl_args['role'], cl_args['environ']
topology = cl_args['topology-name']
spouts_only, bolts_only = cl_args['spout'], cl_args['bolt']
try:
components = tracker_access.get_logical_plan(cluster, env, topology, role)
topo_info = tracker_access.get_topology_info(cluster, env, topology, role)
table, header = to_table(components, topo_info)
if spouts_only == bolts_only:
print(tabulate(table, headers=header))
elif spouts_only:
table, header = filter_spouts(table, header)
print(tabulate(table, headers=header))
else:
table, header = filter_bolts(table, header)
print(tabulate(table, headers=header))
return True
except:
Log.error("Fail to connect to tracker: \'%s\'", cl_args["tracker_url"])
return False | [
"run",
"command"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/explorer/src/python/logicalplan.py#L111-L131 | [
"def",
"run",
"(",
"cl_args",
",",
"compo_type",
")",
":",
"cluster",
",",
"role",
",",
"env",
"=",
"cl_args",
"[",
"'cluster'",
"]",
",",
"cl_args",
"[",
"'role'",
"]",
",",
"cl_args",
"[",
"'environ'",
"]",
"topology",
"=",
"cl_args",
"[",
"'topology... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.start | state Zookeeper | heron/statemgrs/src/python/zkstatemanager.py | def start(self):
""" state Zookeeper """
if self.is_host_port_reachable():
self.client = self._kazoo_client(_makehostportlist(self.hostportlist))
else:
localhostports = self.establish_ssh_tunnel()
self.client = self._kazoo_client(_makehostportlist(localhostports))
self.client.start()
def on_connection_change(state):
""" callback to log """
LOG.info("Connection state changed to: " + state)
self.client.add_listener(on_connection_change) | def start(self):
""" state Zookeeper """
if self.is_host_port_reachable():
self.client = self._kazoo_client(_makehostportlist(self.hostportlist))
else:
localhostports = self.establish_ssh_tunnel()
self.client = self._kazoo_client(_makehostportlist(localhostports))
self.client.start()
def on_connection_change(state):
""" callback to log """
LOG.info("Connection state changed to: " + state)
self.client.add_listener(on_connection_change) | [
"state",
"Zookeeper"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L67-L79 | [
"def",
"start",
"(",
"self",
")",
":",
"if",
"self",
".",
"is_host_port_reachable",
"(",
")",
":",
"self",
".",
"client",
"=",
"self",
".",
"_kazoo_client",
"(",
"_makehostportlist",
"(",
"self",
".",
"hostportlist",
")",
")",
"else",
":",
"localhostports"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_topologies | get topologies | heron/statemgrs/src/python/zkstatemanager.py | def get_topologies(self, callback=None):
""" get topologies """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""Custom callback to get the topologies right now."""
ret["result"] = data
try:
# Ensure the topology path exists. If a topology has never been deployed
# then the path will not exist so create it and don't crash.
# (fixme) add a watch instead of creating the path?
self.client.ensure_path(self.get_topologies_path())
self._get_topologies_with_watch(callback, isWatching)
except NoNodeError:
self.client.stop()
path = self.get_topologies_path()
raise_(StateException("Error required topology path '%s' not found" % (path),
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
# The topologies are now populated with the data.
return ret["result"] | def get_topologies(self, callback=None):
""" get topologies """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""Custom callback to get the topologies right now."""
ret["result"] = data
try:
# Ensure the topology path exists. If a topology has never been deployed
# then the path will not exist so create it and don't crash.
# (fixme) add a watch instead of creating the path?
self.client.ensure_path(self.get_topologies_path())
self._get_topologies_with_watch(callback, isWatching)
except NoNodeError:
self.client.stop()
path = self.get_topologies_path()
raise_(StateException("Error required topology path '%s' not found" % (path),
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"topologies"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L87-L117 | [
"def",
"get_topologies",
"(",
"self",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callback",
":",
"isWatching",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_topologies_with_watch | Helper function to get topologies with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_topologies_with_watch(self, callback, isWatching):
"""
Helper function to get topologies with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_topologies_path()
if isWatching:
LOG.info("Adding children watch for path: " + path)
# pylint: disable=unused-variable
@self.client.ChildrenWatch(path)
def watch_topologies(topologies):
""" callback to watch topologies """
callback(topologies)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_topologies_with_watch(self, callback, isWatching):
"""
Helper function to get topologies with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_topologies_path()
if isWatching:
LOG.info("Adding children watch for path: " + path)
# pylint: disable=unused-variable
@self.client.ChildrenWatch(path)
def watch_topologies(topologies):
""" callback to watch topologies """
callback(topologies)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"topologies",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L119-L138 | [
"def",
"_get_topologies_with_watch",
"(",
"self",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_topologies_path",
"(",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding children watch for path: \"",
"+",
"path",
")",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_topology | get topologies | heron/statemgrs/src/python/zkstatemanager.py | def get_topology(self, topologyName, callback=None):
""" get topologies """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""Custom callback to get the topologies right now."""
ret["result"] = data
self._get_topology_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | def get_topology(self, topologyName, callback=None):
""" get topologies """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""Custom callback to get the topologies right now."""
ret["result"] = data
self._get_topology_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"topologies"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L140-L159 | [
"def",
"get_topology",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callback",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_topology_with_watch | Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_topology_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_topology_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_topology(data, stats):
""" watch topology """
if data:
topology = Topology()
topology.ParseFromString(data)
callback(topology)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_topology_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_topology_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_topology(data, stats):
""" watch topology """
if data:
topology = Topology()
topology.ParseFromString(data)
callback(topology)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"pplan",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L161-L185 | [
"def",
"_get_topology_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_topology_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding data watch for... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.create_topology | crate topology | heron/statemgrs/src/python/zkstatemanager.py | def create_topology(self, topologyName, topology):
""" crate topology """
if not topology or not topology.IsInitialized():
raise_(StateException("Topology protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_topology_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
topologyString = topology.SerializeToString()
try:
self.client.create(path, value=topologyString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating topology",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating topology",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating topology",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | def create_topology(self, topologyName, topology):
""" crate topology """
if not topology or not topology.IsInitialized():
raise_(StateException("Topology protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_topology_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
topologyString = topology.SerializeToString()
try:
self.client.create(path, value=topologyString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating topology",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating topology",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating topology",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | [
"crate",
"topology"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L187-L211 | [
"def",
"create_topology",
"(",
"self",
",",
"topologyName",
",",
"topology",
")",
":",
"if",
"not",
"topology",
"or",
"not",
"topology",
".",
"IsInitialized",
"(",
")",
":",
"raise_",
"(",
"StateException",
"(",
"\"Topology protobuf not init properly\"",
",",
"S... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.delete_topology | delete topology | heron/statemgrs/src/python/zkstatemanager.py | def delete_topology(self, topologyName):
""" delete topology """
path = self.get_topology_path(topologyName)
LOG.info("Removing topology: {0} from path: {1}".format(
topologyName, path))
try:
self.client.delete(path)
return True
except NoNodeError:
raise_(StateException("NoNodeError while deteling topology",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NotEmptyError:
raise_(StateException("NotEmptyError while deleting topology",
StateException.EX_TYPE_NOT_EMPTY_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while deleting topology",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | def delete_topology(self, topologyName):
""" delete topology """
path = self.get_topology_path(topologyName)
LOG.info("Removing topology: {0} from path: {1}".format(
topologyName, path))
try:
self.client.delete(path)
return True
except NoNodeError:
raise_(StateException("NoNodeError while deteling topology",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NotEmptyError:
raise_(StateException("NotEmptyError while deleting topology",
StateException.EX_TYPE_NOT_EMPTY_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while deleting topology",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | [
"delete",
"topology"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L213-L232 | [
"def",
"delete_topology",
"(",
"self",
",",
"topologyName",
")",
":",
"path",
"=",
"self",
".",
"get_topology_path",
"(",
"topologyName",
")",
"LOG",
".",
"info",
"(",
"\"Removing topology: {0} from path: {1}\"",
".",
"format",
"(",
"topologyName",
",",
"path",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_packing_plan | get packing plan | heron/statemgrs/src/python/zkstatemanager.py | def get_packing_plan(self, topologyName, callback=None):
""" get packing plan """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
""" Custom callback to get the topologies right now. """
ret["result"] = data
self._get_packing_plan_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | def get_packing_plan(self, topologyName, callback=None):
""" get packing plan """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
""" Custom callback to get the topologies right now. """
ret["result"] = data
self._get_packing_plan_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"packing",
"plan"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L234-L253 | [
"def",
"get_packing_plan",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callback",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_packing_plan_with_watch | Helper function to get packing_plan with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_packing_plan_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get packing_plan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_packing_plan_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-argument,unused-variable
@self.client.DataWatch(path)
def watch_packing_plan(data, stats):
""" watch the packing plan for updates """
if data:
packing_plan = PackingPlan()
packing_plan.ParseFromString(data)
callback(packing_plan)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_packing_plan_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get packing_plan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_packing_plan_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-argument,unused-variable
@self.client.DataWatch(path)
def watch_packing_plan(data, stats):
""" watch the packing plan for updates """
if data:
packing_plan = PackingPlan()
packing_plan.ParseFromString(data)
callback(packing_plan)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"packing_plan",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L255-L279 | [
"def",
"_get_packing_plan_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_packing_plan_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding data w... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_pplan | get physical plan | heron/statemgrs/src/python/zkstatemanager.py | def get_pplan(self, topologyName, callback=None):
""" get physical plan """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_pplan_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | def get_pplan(self, topologyName, callback=None):
""" get physical plan """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_pplan_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"physical",
"plan"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L281-L302 | [
"def",
"get_pplan",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callback",
":",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_pplan_with_watch | Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_pplan_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_pplan_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_pplan(data, stats):
""" invoke callback to watch physical plan """
if data:
pplan = PhysicalPlan()
pplan.ParseFromString(data)
callback(pplan)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_pplan_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_pplan_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_pplan(data, stats):
""" invoke callback to watch physical plan """
if data:
pplan = PhysicalPlan()
pplan.ParseFromString(data)
callback(pplan)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"pplan",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L304-L328 | [
"def",
"_get_pplan_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_pplan_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding data watch for path:... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.create_pplan | create physical plan | heron/statemgrs/src/python/zkstatemanager.py | def create_pplan(self, topologyName, pplan):
""" create physical plan """
if not pplan or not pplan.IsInitialized():
raise_(StateException("Physical Plan protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_pplan_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
pplanString = pplan.SerializeToString()
try:
self.client.create(path, value=pplanString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating pplan",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating pplan",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating pplan",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | def create_pplan(self, topologyName, pplan):
""" create physical plan """
if not pplan or not pplan.IsInitialized():
raise_(StateException("Physical Plan protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_pplan_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
pplanString = pplan.SerializeToString()
try:
self.client.create(path, value=pplanString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating pplan",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating pplan",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating pplan",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | [
"create",
"physical",
"plan"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L330-L354 | [
"def",
"create_pplan",
"(",
"self",
",",
"topologyName",
",",
"pplan",
")",
":",
"if",
"not",
"pplan",
"or",
"not",
"pplan",
".",
"IsInitialized",
"(",
")",
":",
"raise_",
"(",
"StateException",
"(",
"\"Physical Plan protobuf not init properly\"",
",",
"StateExc... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_execution_state | get execution state | heron/statemgrs/src/python/zkstatemanager.py | def get_execution_state(self, topologyName, callback=None):
""" get execution state """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_execution_state_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | def get_execution_state(self, topologyName, callback=None):
""" get execution state """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_execution_state_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"execution",
"state"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L377-L398 | [
"def",
"get_execution_state",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callbac... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_execution_state_with_watch | Helper function to get execution state with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_execution_state_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get execution state with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_execution_state_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_execution_state(data, stats):
""" invoke callback to watch execute state """
if data:
executionState = ExecutionState()
executionState.ParseFromString(data)
callback(executionState)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_execution_state_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get execution state with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_execution_state_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_execution_state(data, stats):
""" invoke callback to watch execute state """
if data:
executionState = ExecutionState()
executionState.ParseFromString(data)
callback(executionState)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"execution",
"state",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L400-L424 | [
"def",
"_get_execution_state_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_execution_state_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding ... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.create_execution_state | create execution state | heron/statemgrs/src/python/zkstatemanager.py | def create_execution_state(self, topologyName, executionState):
""" create execution state """
if not executionState or not executionState.IsInitialized():
raise_(StateException("Execution State protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_execution_state_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
executionStateString = executionState.SerializeToString()
try:
self.client.create(path, value=executionStateString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating execution state",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating execution state",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating execution state",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | def create_execution_state(self, topologyName, executionState):
""" create execution state """
if not executionState or not executionState.IsInitialized():
raise_(StateException("Execution State protobuf not init properly",
StateException.EX_TYPE_PROTOBUF_ERROR), sys.exc_info()[2])
path = self.get_execution_state_path(topologyName)
LOG.info("Adding topology: {0} to path: {1}".format(
topologyName, path))
executionStateString = executionState.SerializeToString()
try:
self.client.create(path, value=executionStateString, makepath=True)
return True
except NoNodeError:
raise_(StateException("NoNodeError while creating execution state",
StateException.EX_TYPE_NO_NODE_ERROR), sys.exc_info()[2])
except NodeExistsError:
raise_(StateException("NodeExistsError while creating execution state",
StateException.EX_TYPE_NODE_EXISTS_ERROR), sys.exc_info()[2])
except ZookeeperError:
raise_(StateException("Zookeeper while creating execution state",
StateException.EX_TYPE_ZOOKEEPER_ERROR), sys.exc_info()[2])
except Exception:
# Just re raise the exception.
raise | [
"create",
"execution",
"state"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L426-L450 | [
"def",
"create_execution_state",
"(",
"self",
",",
"topologyName",
",",
"executionState",
")",
":",
"if",
"not",
"executionState",
"or",
"not",
"executionState",
".",
"IsInitialized",
"(",
")",
":",
"raise_",
"(",
"StateException",
"(",
"\"Execution State protobuf n... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_tmaster | get tmaster | heron/statemgrs/src/python/zkstatemanager.py | def get_tmaster(self, topologyName, callback=None):
""" get tmaster """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_tmaster_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | def get_tmaster(self, topologyName, callback=None):
""" get tmaster """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the topologies right now.
"""
ret["result"] = data
self._get_tmaster_with_watch(topologyName, callback, isWatching)
# The topologies are now populated with the data.
return ret["result"] | [
"get",
"tmaster"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L473-L494 | [
"def",
"get_tmaster",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"callback",
":... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_tmaster_with_watch | Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_tmaster_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_tmaster_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_tmaster(data, stats):
""" invoke callback to watch tmaster """
if data:
tmaster = TMasterLocation()
tmaster.ParseFromString(data)
callback(tmaster)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_tmaster_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get pplan with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_tmaster_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_tmaster(data, stats):
""" invoke callback to watch tmaster """
if data:
tmaster = TMasterLocation()
tmaster.ParseFromString(data)
callback(tmaster)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"pplan",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L496-L520 | [
"def",
"_get_tmaster_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_tmaster_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"Adding data watch for p... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager.get_scheduler_location | get scheduler location | heron/statemgrs/src/python/zkstatemanager.py | def get_scheduler_location(self, topologyName, callback=None):
""" get scheduler location """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the scheduler location right now.
"""
ret["result"] = data
self._get_scheduler_location_with_watch(topologyName, callback, isWatching)
return ret["result"] | def get_scheduler_location(self, topologyName, callback=None):
""" get scheduler location """
isWatching = False
# Temp dict used to return result
# if callback is not provided.
ret = {
"result": None
}
if callback:
isWatching = True
else:
def callback(data):
"""
Custom callback to get the scheduler location right now.
"""
ret["result"] = data
self._get_scheduler_location_with_watch(topologyName, callback, isWatching)
return ret["result"] | [
"get",
"scheduler",
"location"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L522-L542 | [
"def",
"get_scheduler_location",
"(",
"self",
",",
"topologyName",
",",
"callback",
"=",
"None",
")",
":",
"isWatching",
"=",
"False",
"# Temp dict used to return result",
"# if callback is not provided.",
"ret",
"=",
"{",
"\"result\"",
":",
"None",
"}",
"if",
"call... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ZkStateManager._get_scheduler_location_with_watch | Helper function to get scheduler location with
a callback. The future watch is placed
only if isWatching is True. | heron/statemgrs/src/python/zkstatemanager.py | def _get_scheduler_location_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get scheduler location with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_scheduler_location_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_scheduler_location(data, stats):
""" invoke callback to watch scheduler location """
if data:
scheduler_location = SchedulerLocation()
scheduler_location.ParseFromString(data)
callback(scheduler_location)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | def _get_scheduler_location_with_watch(self, topologyName, callback, isWatching):
"""
Helper function to get scheduler location with
a callback. The future watch is placed
only if isWatching is True.
"""
path = self.get_scheduler_location_path(topologyName)
if isWatching:
LOG.info("Adding data watch for path: " + path)
# pylint: disable=unused-variable, unused-argument
@self.client.DataWatch(path)
def watch_scheduler_location(data, stats):
""" invoke callback to watch scheduler location """
if data:
scheduler_location = SchedulerLocation()
scheduler_location.ParseFromString(data)
callback(scheduler_location)
else:
callback(None)
# Returning False will result in no future watches
# being triggered. If isWatching is True, then
# the future watches will be triggered.
return isWatching | [
"Helper",
"function",
"to",
"get",
"scheduler",
"location",
"with",
"a",
"callback",
".",
"The",
"future",
"watch",
"is",
"placed",
"only",
"if",
"isWatching",
"is",
"True",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/zkstatemanager.py#L544-L568 | [
"def",
"_get_scheduler_location_with_watch",
"(",
"self",
",",
"topologyName",
",",
"callback",
",",
"isWatching",
")",
":",
"path",
"=",
"self",
".",
"get_scheduler_location_path",
"(",
"topologyName",
")",
"if",
"isWatching",
":",
"LOG",
".",
"info",
"(",
"\"A... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | load | Deserializes Java primitive data and objects serialized by ObjectOutputStream
from a file-like object. | heron/tools/tracker/src/python/javaobj.py | def load(file_object):
"""
Deserializes Java primitive data and objects serialized by ObjectOutputStream
from a file-like object.
"""
marshaller = JavaObjectUnmarshaller(file_object)
marshaller.add_transformer(DefaultObjectTransformer())
return marshaller.readObject() | def load(file_object):
"""
Deserializes Java primitive data and objects serialized by ObjectOutputStream
from a file-like object.
"""
marshaller = JavaObjectUnmarshaller(file_object)
marshaller.add_transformer(DefaultObjectTransformer())
return marshaller.readObject() | [
"Deserializes",
"Java",
"primitive",
"data",
"and",
"objects",
"serialized",
"by",
"ObjectOutputStream",
"from",
"a",
"file",
"-",
"like",
"object",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/javaobj.py#L45-L52 | [
"def",
"load",
"(",
"file_object",
")",
":",
"marshaller",
"=",
"JavaObjectUnmarshaller",
"(",
"file_object",
")",
"marshaller",
".",
"add_transformer",
"(",
"DefaultObjectTransformer",
"(",
")",
")",
"return",
"marshaller",
".",
"readObject",
"(",
")"
] | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | loads | Deserializes Java objects and primitive data serialized by ObjectOutputStream
from a string. | heron/tools/tracker/src/python/javaobj.py | def loads(string):
"""
Deserializes Java objects and primitive data serialized by ObjectOutputStream
from a string.
"""
f = StringIO.StringIO(string)
marshaller = JavaObjectUnmarshaller(f)
marshaller.add_transformer(DefaultObjectTransformer())
return marshaller.readObject() | def loads(string):
"""
Deserializes Java objects and primitive data serialized by ObjectOutputStream
from a string.
"""
f = StringIO.StringIO(string)
marshaller = JavaObjectUnmarshaller(f)
marshaller.add_transformer(DefaultObjectTransformer())
return marshaller.readObject() | [
"Deserializes",
"Java",
"objects",
"and",
"primitive",
"data",
"serialized",
"by",
"ObjectOutputStream",
"from",
"a",
"string",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/javaobj.py#L56-L64 | [
"def",
"loads",
"(",
"string",
")",
":",
"f",
"=",
"StringIO",
".",
"StringIO",
"(",
"string",
")",
"marshaller",
"=",
"JavaObjectUnmarshaller",
"(",
"f",
")",
"marshaller",
".",
"add_transformer",
"(",
"DefaultObjectTransformer",
"(",
")",
")",
"return",
"m... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | JavaObject.copy | copy an object | heron/tools/tracker/src/python/javaobj.py | def copy(self, new_object):
"""copy an object"""
new_object.classdesc = self.classdesc
for name in self.classdesc.fields_names:
new_object.__setattr__(name, getattr(self, name)) | def copy(self, new_object):
"""copy an object"""
new_object.classdesc = self.classdesc
for name in self.classdesc.fields_names:
new_object.__setattr__(name, getattr(self, name)) | [
"copy",
"an",
"object"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/javaobj.py#L127-L132 | [
"def",
"copy",
"(",
"self",
",",
"new_object",
")",
":",
"new_object",
".",
"classdesc",
"=",
"self",
".",
"classdesc",
"for",
"name",
"in",
"self",
".",
"classdesc",
".",
"fields_names",
":",
"new_object",
".",
"__setattr__",
"(",
"name",
",",
"getattr",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | JavaObjectUnmarshaller.readObject | read object | heron/tools/tracker/src/python/javaobj.py | def readObject(self):
"""read object"""
try:
_, res = self._read_and_exec_opcode(ident=0)
position_bak = self.object_stream.tell()
the_rest = self.object_stream.read()
if len(the_rest):
log_error("Warning!!!!: Stream still has %s bytes left.\
Enable debug mode of logging to see the hexdump." % len(the_rest))
log_debug(self._create_hexdump(the_rest))
else:
log_debug("Java Object unmarshalled succesfully!")
self.object_stream.seek(position_bak)
return res
except Exception:
self._oops_dump_state()
raise | def readObject(self):
"""read object"""
try:
_, res = self._read_and_exec_opcode(ident=0)
position_bak = self.object_stream.tell()
the_rest = self.object_stream.read()
if len(the_rest):
log_error("Warning!!!!: Stream still has %s bytes left.\
Enable debug mode of logging to see the hexdump." % len(the_rest))
log_debug(self._create_hexdump(the_rest))
else:
log_debug("Java Object unmarshalled succesfully!")
self.object_stream.seek(position_bak)
return res
except Exception:
self._oops_dump_state()
raise | [
"read",
"object"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/javaobj.py#L217-L235 | [
"def",
"readObject",
"(",
"self",
")",
":",
"try",
":",
"_",
",",
"res",
"=",
"self",
".",
"_read_and_exec_opcode",
"(",
"ident",
"=",
"0",
")",
"position_bak",
"=",
"self",
".",
"object_stream",
".",
"tell",
"(",
")",
"the_rest",
"=",
"self",
".",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | JavaObjectUnmarshaller.do_classdesc | do_classdesc | heron/tools/tracker/src/python/javaobj.py | def do_classdesc(self, parent=None, ident=0):
"""do_classdesc"""
# TC_CLASSDESC className serialVersionUID newHandle classDescInfo
# classDescInfo:
# classDescFlags fields classAnnotation superClassDesc
# classDescFlags:
# (byte) // Defined in Terminal Symbols and Constants
# fields:
# (short)<count> fieldDesc[count]
# fieldDesc:
# primitiveDesc
# objectDesc
# primitiveDesc:
# prim_typecode fieldName
# objectDesc:
# obj_typecode fieldName className1
clazz = JavaClass()
log_debug("[classdesc]", ident)
ba = self._readString()
clazz.name = ba
log_debug("Class name: %s" % ba, ident)
(serialVersionUID, newHandle, classDescFlags) = self._readStruct(">LLB")
clazz.serialVersionUID = serialVersionUID
clazz.flags = classDescFlags
self._add_reference(clazz)
log_debug("Serial: 0x%X newHandle: 0x%X.\
classDescFlags: 0x%X" % (serialVersionUID, newHandle, classDescFlags), ident)
(length, ) = self._readStruct(">H")
log_debug("Fields num: 0x%X" % length, ident)
clazz.fields_names = []
clazz.fields_types = []
for _ in range(length):
(typecode, ) = self._readStruct(">B")
field_name = self._readString()
field_type = None
field_type = self._convert_char_to_type(typecode)
if field_type == self.TYPE_ARRAY:
_, field_type = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_STRING, self.TC_REFERENCE])
assert isinstance(field_type, str)
# if field_type is not None:
# field_type = "array of " + field_type
# else:
# field_type = "array of None"
elif field_type == self.TYPE_OBJECT:
_, field_type = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_STRING, self.TC_REFERENCE])
assert isinstance(field_type, str)
log_debug("FieldName: 0x%X" % typecode + " " + str(field_name) + " " + str(field_type), ident)
assert field_name is not None
assert field_type is not None
clazz.fields_names.append(field_name)
clazz.fields_types.append(field_type)
# pylint: disable=protected-access
if parent:
parent.__fields = clazz.fields_names
parent.__types = clazz.fields_types
# classAnnotation
(opid, ) = self._readStruct(">B")
log_debug("OpCode: 0x%X" % opid, ident)
if opid != self.TC_ENDBLOCKDATA:
raise NotImplementedError("classAnnotation isn't implemented yet")
# superClassDesc
_, superclassdesc = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_CLASSDESC, self.TC_NULL, self.TC_REFERENCE])
log_debug(str(superclassdesc), ident)
clazz.superclass = superclassdesc
return clazz | def do_classdesc(self, parent=None, ident=0):
"""do_classdesc"""
# TC_CLASSDESC className serialVersionUID newHandle classDescInfo
# classDescInfo:
# classDescFlags fields classAnnotation superClassDesc
# classDescFlags:
# (byte) // Defined in Terminal Symbols and Constants
# fields:
# (short)<count> fieldDesc[count]
# fieldDesc:
# primitiveDesc
# objectDesc
# primitiveDesc:
# prim_typecode fieldName
# objectDesc:
# obj_typecode fieldName className1
clazz = JavaClass()
log_debug("[classdesc]", ident)
ba = self._readString()
clazz.name = ba
log_debug("Class name: %s" % ba, ident)
(serialVersionUID, newHandle, classDescFlags) = self._readStruct(">LLB")
clazz.serialVersionUID = serialVersionUID
clazz.flags = classDescFlags
self._add_reference(clazz)
log_debug("Serial: 0x%X newHandle: 0x%X.\
classDescFlags: 0x%X" % (serialVersionUID, newHandle, classDescFlags), ident)
(length, ) = self._readStruct(">H")
log_debug("Fields num: 0x%X" % length, ident)
clazz.fields_names = []
clazz.fields_types = []
for _ in range(length):
(typecode, ) = self._readStruct(">B")
field_name = self._readString()
field_type = None
field_type = self._convert_char_to_type(typecode)
if field_type == self.TYPE_ARRAY:
_, field_type = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_STRING, self.TC_REFERENCE])
assert isinstance(field_type, str)
# if field_type is not None:
# field_type = "array of " + field_type
# else:
# field_type = "array of None"
elif field_type == self.TYPE_OBJECT:
_, field_type = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_STRING, self.TC_REFERENCE])
assert isinstance(field_type, str)
log_debug("FieldName: 0x%X" % typecode + " " + str(field_name) + " " + str(field_type), ident)
assert field_name is not None
assert field_type is not None
clazz.fields_names.append(field_name)
clazz.fields_types.append(field_type)
# pylint: disable=protected-access
if parent:
parent.__fields = clazz.fields_names
parent.__types = clazz.fields_types
# classAnnotation
(opid, ) = self._readStruct(">B")
log_debug("OpCode: 0x%X" % opid, ident)
if opid != self.TC_ENDBLOCKDATA:
raise NotImplementedError("classAnnotation isn't implemented yet")
# superClassDesc
_, superclassdesc = self._read_and_exec_opcode(
ident=ident+1, expect=[self.TC_CLASSDESC, self.TC_NULL, self.TC_REFERENCE])
log_debug(str(superclassdesc), ident)
clazz.superclass = superclassdesc
return clazz | [
"do_classdesc"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/javaobj.py#L269-L344 | [
"def",
"do_classdesc",
"(",
"self",
",",
"parent",
"=",
"None",
",",
"ident",
"=",
"0",
")",
":",
"# TC_CLASSDESC className serialVersionUID newHandle classDescInfo",
"# classDescInfo:",
"# classDescFlags fields classAnnotation superClassDesc",
"# classDescFlags:",
"# (byte) ... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | getMetricsTimeline | Get the specified metrics for the given component name of this topology.
Returns the following dict on success:
{
"timeline": {
<metricname>: {
<instance>: {
<start_time> : <numeric value>,
<start_time> : <numeric value>,
...
}
...
}, ...
},
"starttime": <numeric value>,
"endtime": <numeric value>,
"component": "..."
}
Returns the following dict on failure:
{
"message": "..."
} | heron/tools/tracker/src/python/metricstimeline.py | def getMetricsTimeline(tmaster,
component_name,
metric_names,
instances,
start_time,
end_time,
callback=None):
"""
Get the specified metrics for the given component name of this topology.
Returns the following dict on success:
{
"timeline": {
<metricname>: {
<instance>: {
<start_time> : <numeric value>,
<start_time> : <numeric value>,
...
}
...
}, ...
},
"starttime": <numeric value>,
"endtime": <numeric value>,
"component": "..."
}
Returns the following dict on failure:
{
"message": "..."
}
"""
# Tmaster is the proto object and must have host and port for stats.
if not tmaster or not tmaster.host or not tmaster.stats_port:
raise Exception("No Tmaster found")
host = tmaster.host
port = tmaster.stats_port
# Create the proto request object to get metrics.
metricRequest = tmaster_pb2.MetricRequest()
metricRequest.component_name = component_name
# If no instances are give, metrics for all instances
# are fetched by default.
if len(instances) > 0:
for instance in instances:
metricRequest.instance_id.append(instance)
for metricName in metric_names:
metricRequest.metric.append(metricName)
metricRequest.explicit_interval.start = start_time
metricRequest.explicit_interval.end = end_time
metricRequest.minutely = True
# Serialize the metricRequest to send as a payload
# with the HTTP request.
metricRequestString = metricRequest.SerializeToString()
# Form and send the http request.
url = "http://{0}:{1}/stats".format(host, port)
request = tornado.httpclient.HTTPRequest(url,
body=metricRequestString,
method='POST',
request_timeout=5)
Log.debug("Making HTTP call to fetch metrics")
Log.debug("url: " + url)
try:
client = tornado.httpclient.AsyncHTTPClient()
result = yield client.fetch(request)
Log.debug("HTTP call complete.")
except tornado.httpclient.HTTPError as e:
raise Exception(str(e))
# Check the response code - error if it is in 400s or 500s
responseCode = result.code
if responseCode >= 400:
message = "Error in getting metrics from Tmaster, code: " + responseCode
Log.error(message)
raise Exception(message)
# Parse the response from tmaster.
metricResponse = tmaster_pb2.MetricResponse()
metricResponse.ParseFromString(result.body)
if metricResponse.status.status == common_pb2.NOTOK:
if metricResponse.status.HasField("message"):
Log.warn("Received response from Tmaster: %s", metricResponse.status.message)
# Form the response.
ret = {}
ret["starttime"] = start_time
ret["endtime"] = end_time
ret["component"] = component_name
ret["timeline"] = {}
# Loop through all the metrics
# One instance corresponds to one metric, which can have
# multiple IndividualMetrics for each metricname requested.
for metric in metricResponse.metric:
instance = metric.instance_id
# Loop through all individual metrics.
for im in metric.metric:
metricname = im.name
if metricname not in ret["timeline"]:
ret["timeline"][metricname] = {}
if instance not in ret["timeline"][metricname]:
ret["timeline"][metricname][instance] = {}
# We get minutely metrics.
# Interval-values correspond to the minutely mark for which
# this metric value corresponds to.
for interval_value in im.interval_values:
ret["timeline"][metricname][instance][interval_value.interval.start] = interval_value.value
raise tornado.gen.Return(ret) | def getMetricsTimeline(tmaster,
component_name,
metric_names,
instances,
start_time,
end_time,
callback=None):
"""
Get the specified metrics for the given component name of this topology.
Returns the following dict on success:
{
"timeline": {
<metricname>: {
<instance>: {
<start_time> : <numeric value>,
<start_time> : <numeric value>,
...
}
...
}, ...
},
"starttime": <numeric value>,
"endtime": <numeric value>,
"component": "..."
}
Returns the following dict on failure:
{
"message": "..."
}
"""
# Tmaster is the proto object and must have host and port for stats.
if not tmaster or not tmaster.host or not tmaster.stats_port:
raise Exception("No Tmaster found")
host = tmaster.host
port = tmaster.stats_port
# Create the proto request object to get metrics.
metricRequest = tmaster_pb2.MetricRequest()
metricRequest.component_name = component_name
# If no instances are give, metrics for all instances
# are fetched by default.
if len(instances) > 0:
for instance in instances:
metricRequest.instance_id.append(instance)
for metricName in metric_names:
metricRequest.metric.append(metricName)
metricRequest.explicit_interval.start = start_time
metricRequest.explicit_interval.end = end_time
metricRequest.minutely = True
# Serialize the metricRequest to send as a payload
# with the HTTP request.
metricRequestString = metricRequest.SerializeToString()
# Form and send the http request.
url = "http://{0}:{1}/stats".format(host, port)
request = tornado.httpclient.HTTPRequest(url,
body=metricRequestString,
method='POST',
request_timeout=5)
Log.debug("Making HTTP call to fetch metrics")
Log.debug("url: " + url)
try:
client = tornado.httpclient.AsyncHTTPClient()
result = yield client.fetch(request)
Log.debug("HTTP call complete.")
except tornado.httpclient.HTTPError as e:
raise Exception(str(e))
# Check the response code - error if it is in 400s or 500s
responseCode = result.code
if responseCode >= 400:
message = "Error in getting metrics from Tmaster, code: " + responseCode
Log.error(message)
raise Exception(message)
# Parse the response from tmaster.
metricResponse = tmaster_pb2.MetricResponse()
metricResponse.ParseFromString(result.body)
if metricResponse.status.status == common_pb2.NOTOK:
if metricResponse.status.HasField("message"):
Log.warn("Received response from Tmaster: %s", metricResponse.status.message)
# Form the response.
ret = {}
ret["starttime"] = start_time
ret["endtime"] = end_time
ret["component"] = component_name
ret["timeline"] = {}
# Loop through all the metrics
# One instance corresponds to one metric, which can have
# multiple IndividualMetrics for each metricname requested.
for metric in metricResponse.metric:
instance = metric.instance_id
# Loop through all individual metrics.
for im in metric.metric:
metricname = im.name
if metricname not in ret["timeline"]:
ret["timeline"][metricname] = {}
if instance not in ret["timeline"][metricname]:
ret["timeline"][metricname][instance] = {}
# We get minutely metrics.
# Interval-values correspond to the minutely mark for which
# this metric value corresponds to.
for interval_value in im.interval_values:
ret["timeline"][metricname][instance][interval_value.interval.start] = interval_value.value
raise tornado.gen.Return(ret) | [
"Get",
"the",
"specified",
"metrics",
"for",
"the",
"given",
"component",
"name",
"of",
"this",
"topology",
".",
"Returns",
"the",
"following",
"dict",
"on",
"success",
":",
"{",
"timeline",
":",
"{",
"<metricname",
">",
":",
"{",
"<instance",
">",
":",
... | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/metricstimeline.py#L30-L149 | [
"def",
"getMetricsTimeline",
"(",
"tmaster",
",",
"component_name",
",",
"metric_names",
",",
"instances",
",",
"start_time",
",",
"end_time",
",",
"callback",
"=",
"None",
")",
":",
"# Tmaster is the proto object and must have host and port for stats.",
"if",
"not",
"t... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | create_parser | :param subparsers:
:return: | heron/tools/cli/src/python/version.py | def create_parser(subparsers):
'''
:param subparsers:
:return:
'''
parser = subparsers.add_parser(
'version',
help='Print version of heron-cli',
usage="%(prog)s [options] [cluster]",
add_help=True)
add_version_titles(parser)
parser.add_argument(
'cluster',
nargs='?',
type=str,
default="",
help='Name of the cluster')
cli_args.add_service_url(parser)
parser.set_defaults(subcommand='version')
return parser | def create_parser(subparsers):
'''
:param subparsers:
:return:
'''
parser = subparsers.add_parser(
'version',
help='Print version of heron-cli',
usage="%(prog)s [options] [cluster]",
add_help=True)
add_version_titles(parser)
parser.add_argument(
'cluster',
nargs='?',
type=str,
default="",
help='Name of the cluster')
cli_args.add_service_url(parser)
parser.set_defaults(subcommand='version')
return parser | [
":",
"param",
"subparsers",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/version.py#L42-L65 | [
"def",
"create_parser",
"(",
"subparsers",
")",
":",
"parser",
"=",
"subparsers",
".",
"add_parser",
"(",
"'version'",
",",
"help",
"=",
"'Print version of heron-cli'",
",",
"usage",
"=",
"\"%(prog)s [options] [cluster]\"",
",",
"add_help",
"=",
"True",
")",
"add_... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run | :param command:
:param parser:
:param args:
:param unknown_args:
:return: | heron/tools/cli/src/python/version.py | def run(command, parser, cl_args, unknown_args):
'''
:param command:
:param parser:
:param args:
:param unknown_args:
:return:
'''
cluster = cl_args['cluster']
# server mode
if cluster:
config_file = config.heron_rc_file()
client_confs = dict()
# Read the cluster definition, if not found
client_confs = cdefs.read_server_mode_cluster_definition(cluster, cl_args, config_file)
if not client_confs[cluster]:
Log.error('Neither service url nor %s cluster definition in %s file', cluster, config_file)
return SimpleResult(Status.HeronError)
# if cluster definition exists, but service_url is not set, it is an error
if not 'service_url' in client_confs[cluster]:
Log.error('No service url for %s cluster in %s', cluster, config_file)
sys.exit(1)
service_endpoint = cl_args['service_url']
service_apiurl = service_endpoint + rest.ROUTE_SIGNATURES[command][1]
service_method = rest.ROUTE_SIGNATURES[command][0]
try:
r = service_method(service_apiurl)
if r.status_code != requests.codes.ok:
Log.error(r.json().get('message', "Unknown error from API server %d" % r.status_code))
sorted_items = sorted(r.json().items(), key=lambda tup: tup[0])
for key, value in sorted_items:
print("%s : %s" % (key, value))
except (requests.exceptions.ConnectionError, requests.exceptions.HTTPError) as err:
Log.error(err)
return SimpleResult(Status.HeronError)
else:
config.print_build_info()
return SimpleResult(Status.Ok) | def run(command, parser, cl_args, unknown_args):
'''
:param command:
:param parser:
:param args:
:param unknown_args:
:return:
'''
cluster = cl_args['cluster']
# server mode
if cluster:
config_file = config.heron_rc_file()
client_confs = dict()
# Read the cluster definition, if not found
client_confs = cdefs.read_server_mode_cluster_definition(cluster, cl_args, config_file)
if not client_confs[cluster]:
Log.error('Neither service url nor %s cluster definition in %s file', cluster, config_file)
return SimpleResult(Status.HeronError)
# if cluster definition exists, but service_url is not set, it is an error
if not 'service_url' in client_confs[cluster]:
Log.error('No service url for %s cluster in %s', cluster, config_file)
sys.exit(1)
service_endpoint = cl_args['service_url']
service_apiurl = service_endpoint + rest.ROUTE_SIGNATURES[command][1]
service_method = rest.ROUTE_SIGNATURES[command][0]
try:
r = service_method(service_apiurl)
if r.status_code != requests.codes.ok:
Log.error(r.json().get('message', "Unknown error from API server %d" % r.status_code))
sorted_items = sorted(r.json().items(), key=lambda tup: tup[0])
for key, value in sorted_items:
print("%s : %s" % (key, value))
except (requests.exceptions.ConnectionError, requests.exceptions.HTTPError) as err:
Log.error(err)
return SimpleResult(Status.HeronError)
else:
config.print_build_info()
return SimpleResult(Status.Ok) | [
":",
"param",
"command",
":",
":",
"param",
"parser",
":",
":",
"param",
"args",
":",
":",
"param",
"unknown_args",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/version.py#L68-L112 | [
"def",
"run",
"(",
"command",
",",
"parser",
",",
"cl_args",
",",
"unknown_args",
")",
":",
"cluster",
"=",
"cl_args",
"[",
"'cluster'",
"]",
"# server mode",
"if",
"cluster",
":",
"config_file",
"=",
"config",
".",
"heron_rc_file",
"(",
")",
"client_confs",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Config.validate_state_locations | Names of all state locations must be unique. | heron/statemgrs/src/python/config.py | def validate_state_locations(self):
"""
Names of all state locations must be unique.
"""
names = map(lambda loc: loc["name"], self.locations)
assert len(names) == len(set(names)), "Names of state locations must be unique" | def validate_state_locations(self):
"""
Names of all state locations must be unique.
"""
names = map(lambda loc: loc["name"], self.locations)
assert len(names) == len(set(names)), "Names of state locations must be unique" | [
"Names",
"of",
"all",
"state",
"locations",
"must",
"be",
"unique",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/config.py#L45-L50 | [
"def",
"validate_state_locations",
"(",
"self",
")",
":",
"names",
"=",
"map",
"(",
"lambda",
"loc",
":",
"loc",
"[",
"\"name\"",
"]",
",",
"self",
".",
"locations",
")",
"assert",
"len",
"(",
"names",
")",
"==",
"len",
"(",
"set",
"(",
"names",
")",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | add_arguments | :param parser:
:return: | heron/tools/ui/src/python/args.py | def add_arguments(parser):
'''
:param parser:
:return:
'''
parser.add_argument(
'--tracker_url',
metavar='(a url; path to tracker; default: "' + consts.DEFAULT_TRACKER_URL + '")',
default=consts.DEFAULT_TRACKER_URL)
parser.add_argument(
'--address',
metavar='(an string; address to listen; default: "' + consts.DEFAULT_ADDRESS + '")',
default=consts.DEFAULT_ADDRESS)
parser.add_argument(
'--port',
metavar='(an integer; port to listen; default: ' + str(consts.DEFAULT_PORT) + ')',
type=int,
default=consts.DEFAULT_PORT)
parser.add_argument(
'--base_url',
metavar='(a string; the base url path if operating behind proxy; default: '
+ str(consts.DEFAULT_BASE_URL) + ')',
default=consts.DEFAULT_BASE_URL)
return parser | def add_arguments(parser):
'''
:param parser:
:return:
'''
parser.add_argument(
'--tracker_url',
metavar='(a url; path to tracker; default: "' + consts.DEFAULT_TRACKER_URL + '")',
default=consts.DEFAULT_TRACKER_URL)
parser.add_argument(
'--address',
metavar='(an string; address to listen; default: "' + consts.DEFAULT_ADDRESS + '")',
default=consts.DEFAULT_ADDRESS)
parser.add_argument(
'--port',
metavar='(an integer; port to listen; default: ' + str(consts.DEFAULT_PORT) + ')',
type=int,
default=consts.DEFAULT_PORT)
parser.add_argument(
'--base_url',
metavar='(a string; the base url path if operating behind proxy; default: '
+ str(consts.DEFAULT_BASE_URL) + ')',
default=consts.DEFAULT_BASE_URL)
return parser | [
":",
"param",
"parser",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/ui/src/python/args.py#L70-L97 | [
"def",
"add_arguments",
"(",
"parser",
")",
":",
"parser",
".",
"add_argument",
"(",
"'--tracker_url'",
",",
"metavar",
"=",
"'(a url; path to tracker; default: \"'",
"+",
"consts",
".",
"DEFAULT_TRACKER_URL",
"+",
"'\")'",
",",
"default",
"=",
"consts",
".",
"DEF... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MetricsHandler.get | :return: | heron/tools/ui/src/python/handlers/api/metrics.py | def get(self):
'''
:return:
'''
cluster = self.get_argument("cluster")
environ = self.get_argument("environ")
topology = self.get_argument("topology")
component = self.get_argument("component", default=None)
metricnames = self.get_arguments("metricname")
instances = self.get_arguments("instance")
interval = self.get_argument("interval", default=-1)
time_range = (0, interval)
compnames = [component] if component else (yield access.get_comps(cluster, environ, topology))
# fetch the metrics
futures = {}
for comp in compnames:
future = access.get_comp_metrics(
cluster, environ, topology, comp, instances,
metricnames, time_range)
futures[comp] = future
results = yield futures
self.write(results[component] if component else results) | def get(self):
'''
:return:
'''
cluster = self.get_argument("cluster")
environ = self.get_argument("environ")
topology = self.get_argument("topology")
component = self.get_argument("component", default=None)
metricnames = self.get_arguments("metricname")
instances = self.get_arguments("instance")
interval = self.get_argument("interval", default=-1)
time_range = (0, interval)
compnames = [component] if component else (yield access.get_comps(cluster, environ, topology))
# fetch the metrics
futures = {}
for comp in compnames:
future = access.get_comp_metrics(
cluster, environ, topology, comp, instances,
metricnames, time_range)
futures[comp] = future
results = yield futures
self.write(results[component] if component else results) | [
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/ui/src/python/handlers/api/metrics.py#L37-L61 | [
"def",
"get",
"(",
"self",
")",
":",
"cluster",
"=",
"self",
".",
"get_argument",
"(",
"\"cluster\"",
")",
"environ",
"=",
"self",
".",
"get_argument",
"(",
"\"environ\"",
")",
"topology",
"=",
"self",
".",
"get_argument",
"(",
"\"topology\"",
")",
"compon... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MetricsTimelineHandler.get | :return: | heron/tools/ui/src/python/handlers/api/metrics.py | def get(self):
'''
:return:
'''
cluster = self.get_argument("cluster")
environ = self.get_argument("environ")
topology = self.get_argument("topology")
component = self.get_argument("component", default=None)
metric = self.get_argument("metric")
instances = self.get_argument("instance")
start = self.get_argument("starttime")
end = self.get_argument("endtime")
maxquery = self.get_argument("max", default=False)
timerange = (start, end)
compnames = [component]
# fetch the metrics
futures = {}
if metric == "backpressure":
for comp in compnames:
future = query_handler.fetch_backpressure(cluster, metric, topology, component,
instances, timerange, maxquery, environ)
futures[comp] = future
else:
fetch = query_handler.fetch_max if maxquery else query_handler.fetch
for comp in compnames:
future = fetch(cluster, metric, topology, component,
instances, timerange, environ)
futures[comp] = future
results = yield futures
self.write(results[component] if component else results) | def get(self):
'''
:return:
'''
cluster = self.get_argument("cluster")
environ = self.get_argument("environ")
topology = self.get_argument("topology")
component = self.get_argument("component", default=None)
metric = self.get_argument("metric")
instances = self.get_argument("instance")
start = self.get_argument("starttime")
end = self.get_argument("endtime")
maxquery = self.get_argument("max", default=False)
timerange = (start, end)
compnames = [component]
# fetch the metrics
futures = {}
if metric == "backpressure":
for comp in compnames:
future = query_handler.fetch_backpressure(cluster, metric, topology, component,
instances, timerange, maxquery, environ)
futures[comp] = future
else:
fetch = query_handler.fetch_max if maxquery else query_handler.fetch
for comp in compnames:
future = fetch(cluster, metric, topology, component,
instances, timerange, environ)
futures[comp] = future
results = yield futures
self.write(results[component] if component else results) | [
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/ui/src/python/handlers/api/metrics.py#L68-L99 | [
"def",
"get",
"(",
"self",
")",
":",
"cluster",
"=",
"self",
".",
"get_argument",
"(",
"\"cluster\"",
")",
"environ",
"=",
"self",
".",
"get_argument",
"(",
"\"environ\"",
")",
"topology",
"=",
"self",
".",
"get_argument",
"(",
"\"topology\"",
")",
"compon... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | PidHandler.get | get method | heron/shell/src/python/handlers/pidhandler.py | def get(self, instance_id):
''' get method '''
self.content_type = 'application/json'
self.write(json.dumps(utils.chain([
['ps', 'auxwwww'],
['grep', instance_id],
['grep', 'java'],
['awk', '\'{print $2}\'']])).strip())
self.finish() | def get(self, instance_id):
''' get method '''
self.content_type = 'application/json'
self.write(json.dumps(utils.chain([
['ps', 'auxwwww'],
['grep', instance_id],
['grep', 'java'],
['awk', '\'{print $2}\'']])).strip())
self.finish() | [
"get",
"method"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/shell/src/python/handlers/pidhandler.py#L35-L43 | [
"def",
"get",
"(",
"self",
",",
"instance_id",
")",
":",
"self",
".",
"content_type",
"=",
"'application/json'",
"self",
".",
"write",
"(",
"json",
".",
"dumps",
"(",
"utils",
".",
"chain",
"(",
"[",
"[",
"'ps'",
",",
"'auxwwww'",
"]",
",",
"[",
"'gr... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | FileDataHandler.get | get method | heron/shell/src/python/handlers/filedatahandler.py | def get(self, path):
""" get method """
if path is None:
return {}
if not utils.check_path(path):
self.write("Only relative paths are allowed")
self.set_status(403)
self.finish()
return
offset = self.get_argument("offset", default=-1)
length = self.get_argument("length", default=-1)
if not os.path.isfile(path):
return {}
data = utils.read_chunk(path, offset=offset, length=length, escape_data=True)
self.write(json.dumps(data))
self.finish() | def get(self, path):
""" get method """
if path is None:
return {}
if not utils.check_path(path):
self.write("Only relative paths are allowed")
self.set_status(403)
self.finish()
return
offset = self.get_argument("offset", default=-1)
length = self.get_argument("length", default=-1)
if not os.path.isfile(path):
return {}
data = utils.read_chunk(path, offset=offset, length=length, escape_data=True)
self.write(json.dumps(data))
self.finish() | [
"get",
"method"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/shell/src/python/handlers/filedatahandler.py#L35-L52 | [
"def",
"get",
"(",
"self",
",",
"path",
")",
":",
"if",
"path",
"is",
"None",
":",
"return",
"{",
"}",
"if",
"not",
"utils",
".",
"check_path",
"(",
"path",
")",
":",
"self",
".",
"write",
"(",
"\"Only relative paths are allowed\"",
")",
"self",
".",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | PulsarSpout.initialize | Implements Pulsar Spout's initialize method | heronpy/connectors/pulsar/pulsarspout.py | def initialize(self, config, context):
"""Implements Pulsar Spout's initialize method"""
self.logger.info("Initializing PulsarSpout with the following")
self.logger.info("Component-specific config: \n%s" % str(config))
self.logger.info("Context: \n%s" % str(context))
self.emit_count = 0
self.ack_count = 0
self.fail_count = 0
if not PulsarSpout.serviceUrl in config or not PulsarSpout.topicName in config:
self.logger.fatal("Need to specify both serviceUrl and topicName")
self.pulsar_cluster = str(config[PulsarSpout.serviceUrl])
self.topic = str(config[PulsarSpout.topicName])
mode = config[api_constants.TOPOLOGY_RELIABILITY_MODE]
if mode == api_constants.TopologyReliabilityMode.ATLEAST_ONCE:
self.acking_timeout = 1000 * int(config[api_constants.TOPOLOGY_MESSAGE_TIMEOUT_SECS])
else:
self.acking_timeout = 30000
if PulsarSpout.receiveTimeoutMs in config:
self.receive_timeout_ms = config[PulsarSpout.receiveTimeoutMs]
else:
self.receive_timeout_ms = 10
if PulsarSpout.deserializer in config:
self.deserializer = config[PulsarSpout.deserializer]
if not callable(self.deserializer):
self.logger.fatal("Pulsar Message Deserializer needs to be callable")
else:
self.deserializer = self.default_deserializer
# First generate the config
self.logConfFileName = GenerateLogConfig(context)
self.logger.info("Generated LogConf at %s" % self.logConfFileName)
# We currently use the high level consumer API
# For supporting effectively once, we will need to switch
# to using lower level Reader API, when it becomes
# available in python
self.client = pulsar.Client(self.pulsar_cluster, log_conf_file_path=self.logConfFileName)
self.logger.info("Setup Client with cluster %s" % self.pulsar_cluster)
try:
self.consumer = self.client.subscribe(self.topic, context.get_topology_name(),
consumer_type=pulsar.ConsumerType.Failover,
unacked_messages_timeout_ms=self.acking_timeout)
except Exception as e:
self.logger.fatal("Pulsar client subscription failed: %s" % str(e))
self.logger.info("Subscribed to topic %s" % self.topic) | def initialize(self, config, context):
"""Implements Pulsar Spout's initialize method"""
self.logger.info("Initializing PulsarSpout with the following")
self.logger.info("Component-specific config: \n%s" % str(config))
self.logger.info("Context: \n%s" % str(context))
self.emit_count = 0
self.ack_count = 0
self.fail_count = 0
if not PulsarSpout.serviceUrl in config or not PulsarSpout.topicName in config:
self.logger.fatal("Need to specify both serviceUrl and topicName")
self.pulsar_cluster = str(config[PulsarSpout.serviceUrl])
self.topic = str(config[PulsarSpout.topicName])
mode = config[api_constants.TOPOLOGY_RELIABILITY_MODE]
if mode == api_constants.TopologyReliabilityMode.ATLEAST_ONCE:
self.acking_timeout = 1000 * int(config[api_constants.TOPOLOGY_MESSAGE_TIMEOUT_SECS])
else:
self.acking_timeout = 30000
if PulsarSpout.receiveTimeoutMs in config:
self.receive_timeout_ms = config[PulsarSpout.receiveTimeoutMs]
else:
self.receive_timeout_ms = 10
if PulsarSpout.deserializer in config:
self.deserializer = config[PulsarSpout.deserializer]
if not callable(self.deserializer):
self.logger.fatal("Pulsar Message Deserializer needs to be callable")
else:
self.deserializer = self.default_deserializer
# First generate the config
self.logConfFileName = GenerateLogConfig(context)
self.logger.info("Generated LogConf at %s" % self.logConfFileName)
# We currently use the high level consumer API
# For supporting effectively once, we will need to switch
# to using lower level Reader API, when it becomes
# available in python
self.client = pulsar.Client(self.pulsar_cluster, log_conf_file_path=self.logConfFileName)
self.logger.info("Setup Client with cluster %s" % self.pulsar_cluster)
try:
self.consumer = self.client.subscribe(self.topic, context.get_topology_name(),
consumer_type=pulsar.ConsumerType.Failover,
unacked_messages_timeout_ms=self.acking_timeout)
except Exception as e:
self.logger.fatal("Pulsar client subscription failed: %s" % str(e))
self.logger.info("Subscribed to topic %s" % self.topic) | [
"Implements",
"Pulsar",
"Spout",
"s",
"initialize",
"method"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/connectors/pulsar/pulsarspout.py#L72-L119 | [
"def",
"initialize",
"(",
"self",
",",
"config",
",",
"context",
")",
":",
"self",
".",
"logger",
".",
"info",
"(",
"\"Initializing PulsarSpout with the following\"",
")",
"self",
".",
"logger",
".",
"info",
"(",
"\"Component-specific config: \\n%s\"",
"%",
"str",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | StatesHandler.get | get method | heron/tools/tracker/src/python/handlers/stateshandler.py | def get(self):
""" get method """
# Get all the values for parameter "cluster".
clusters = self.get_arguments(constants.PARAM_CLUSTER)
# Get all the values for parameter "environ".
environs = self.get_arguments(constants.PARAM_ENVIRON)
role = self.get_argument_role()
ret = {}
topologies = self.tracker.topologies
for topology in topologies:
cluster = topology.cluster
environ = topology.environ
if not cluster or not environ:
continue
# This cluster is not asked for.
# Note that "if not clusters", then
# we show for all the clusters.
if clusters and cluster not in clusters:
continue
# This environ is not asked for.
# Note that "if not environs", then
# we show for all the environs.
if environs and environ not in environs:
continue
if cluster not in ret:
ret[cluster] = {}
if environ not in ret[cluster]:
ret[cluster][environ] = {}
try:
topology_info = self.tracker.getTopologyInfo(topology.name, cluster, role, environ)
if topology_info and "execution_state" in topology_info:
ret[cluster][environ][topology.name] = topology_info["execution_state"]
except Exception:
# Do nothing
pass
self.write_success_response(ret) | def get(self):
""" get method """
# Get all the values for parameter "cluster".
clusters = self.get_arguments(constants.PARAM_CLUSTER)
# Get all the values for parameter "environ".
environs = self.get_arguments(constants.PARAM_ENVIRON)
role = self.get_argument_role()
ret = {}
topologies = self.tracker.topologies
for topology in topologies:
cluster = topology.cluster
environ = topology.environ
if not cluster or not environ:
continue
# This cluster is not asked for.
# Note that "if not clusters", then
# we show for all the clusters.
if clusters and cluster not in clusters:
continue
# This environ is not asked for.
# Note that "if not environs", then
# we show for all the environs.
if environs and environ not in environs:
continue
if cluster not in ret:
ret[cluster] = {}
if environ not in ret[cluster]:
ret[cluster][environ] = {}
try:
topology_info = self.tracker.getTopologyInfo(topology.name, cluster, role, environ)
if topology_info and "execution_state" in topology_info:
ret[cluster][environ][topology.name] = topology_info["execution_state"]
except Exception:
# Do nothing
pass
self.write_success_response(ret) | [
"get",
"method"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/handlers/stateshandler.py#L58-L99 | [
"def",
"get",
"(",
"self",
")",
":",
"# Get all the values for parameter \"cluster\".",
"clusters",
"=",
"self",
".",
"get_arguments",
"(",
"constants",
".",
"PARAM_CLUSTER",
")",
"# Get all the values for parameter \"environ\".",
"environs",
"=",
"self",
".",
"get_argume... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | JstackHandler.getInstanceJstack | Fetches Instance jstack from heron-shell. | heron/tools/tracker/src/python/handlers/jstackhandler.py | def getInstanceJstack(self, topology_info, instance_id):
"""
Fetches Instance jstack from heron-shell.
"""
pid_response = yield getInstancePid(topology_info, instance_id)
try:
http_client = tornado.httpclient.AsyncHTTPClient()
pid_json = json.loads(pid_response)
pid = pid_json['stdout'].strip()
if pid == '':
raise Exception('Failed to get pid')
endpoint = utils.make_shell_endpoint(topology_info, instance_id)
url = "%s/jstack/%s" % (endpoint, pid)
response = yield http_client.fetch(url)
Log.debug("HTTP call for url: %s", url)
raise tornado.gen.Return(response.body)
except tornado.httpclient.HTTPError as e:
raise Exception(str(e)) | def getInstanceJstack(self, topology_info, instance_id):
"""
Fetches Instance jstack from heron-shell.
"""
pid_response = yield getInstancePid(topology_info, instance_id)
try:
http_client = tornado.httpclient.AsyncHTTPClient()
pid_json = json.loads(pid_response)
pid = pid_json['stdout'].strip()
if pid == '':
raise Exception('Failed to get pid')
endpoint = utils.make_shell_endpoint(topology_info, instance_id)
url = "%s/jstack/%s" % (endpoint, pid)
response = yield http_client.fetch(url)
Log.debug("HTTP call for url: %s", url)
raise tornado.gen.Return(response.body)
except tornado.httpclient.HTTPError as e:
raise Exception(str(e)) | [
"Fetches",
"Instance",
"jstack",
"from",
"heron",
"-",
"shell",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/handlers/jstackhandler.py#L76-L93 | [
"def",
"getInstanceJstack",
"(",
"self",
",",
"topology_info",
",",
"instance_id",
")",
":",
"pid_response",
"=",
"yield",
"getInstancePid",
"(",
"topology_info",
",",
"instance_id",
")",
"try",
":",
"http_client",
"=",
"tornado",
".",
"httpclient",
".",
"AsyncH... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | create_parser | Create the parse for the update command | heron/tools/cli/src/python/update.py | def create_parser(subparsers):
""" Create the parse for the update command """
parser = subparsers.add_parser(
'update',
help='Update a topology',
usage="%(prog)s [options] cluster/[role]/[env] <topology-name> "
+ "[--component-parallelism <name:value>] "
+ "[--container-number value] "
+ "[--runtime-config [component:]<name:value>]",
add_help=True)
args.add_titles(parser)
args.add_cluster_role_env(parser)
args.add_topology(parser)
args.add_config(parser)
args.add_dry_run(parser)
args.add_service_url(parser)
args.add_verbose(parser)
# Special parameters for update command
def parallelism_type(value):
pattern = re.compile(r"^[\w\.-]+:[\d]+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for component parallelism (<component_name:value>): %s" % value)
return value
parser.add_argument(
'--component-parallelism',
action='append',
type=parallelism_type,
required=False,
help='Component name and the new parallelism value '
+ 'colon-delimited: <component_name>:<parallelism>')
def runtime_config_type(value):
pattern = re.compile(r"^([\w\.-]+:){1,2}[\w\.-]+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for runtime config ([component:]<name:value>): %s"
% value)
return value
parser.add_argument(
'--runtime-config',
action='append',
type=runtime_config_type,
required=False,
help='Runtime configurations for topology and components '
+ 'colon-delimited: [component:]<name>:<value>')
def container_number_type(value):
pattern = re.compile(r"^\d+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for container number (value): %s"
% value)
return value
parser.add_argument(
'--container-number',
action='append',
type=container_number_type,
required=False,
help='Number of containers <value>')
parser.set_defaults(subcommand='update')
return parser | def create_parser(subparsers):
""" Create the parse for the update command """
parser = subparsers.add_parser(
'update',
help='Update a topology',
usage="%(prog)s [options] cluster/[role]/[env] <topology-name> "
+ "[--component-parallelism <name:value>] "
+ "[--container-number value] "
+ "[--runtime-config [component:]<name:value>]",
add_help=True)
args.add_titles(parser)
args.add_cluster_role_env(parser)
args.add_topology(parser)
args.add_config(parser)
args.add_dry_run(parser)
args.add_service_url(parser)
args.add_verbose(parser)
# Special parameters for update command
def parallelism_type(value):
pattern = re.compile(r"^[\w\.-]+:[\d]+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for component parallelism (<component_name:value>): %s" % value)
return value
parser.add_argument(
'--component-parallelism',
action='append',
type=parallelism_type,
required=False,
help='Component name and the new parallelism value '
+ 'colon-delimited: <component_name>:<parallelism>')
def runtime_config_type(value):
pattern = re.compile(r"^([\w\.-]+:){1,2}[\w\.-]+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for runtime config ([component:]<name:value>): %s"
% value)
return value
parser.add_argument(
'--runtime-config',
action='append',
type=runtime_config_type,
required=False,
help='Runtime configurations for topology and components '
+ 'colon-delimited: [component:]<name>:<value>')
def container_number_type(value):
pattern = re.compile(r"^\d+$")
if not pattern.match(value):
raise argparse.ArgumentTypeError(
"Invalid syntax for container number (value): %s"
% value)
return value
parser.add_argument(
'--container-number',
action='append',
type=container_number_type,
required=False,
help='Number of containers <value>')
parser.set_defaults(subcommand='update')
return parser | [
"Create",
"the",
"parse",
"for",
"the",
"update",
"command"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/update.py#L33-L101 | [
"def",
"create_parser",
"(",
"subparsers",
")",
":",
"parser",
"=",
"subparsers",
".",
"add_parser",
"(",
"'update'",
",",
"help",
"=",
"'Update a topology'",
",",
"usage",
"=",
"\"%(prog)s [options] cluster/[role]/[env] <topology-name> \"",
"+",
"\"[--component-paralleli... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | build_extra_args_dict | Build extra args map | heron/tools/cli/src/python/update.py | def build_extra_args_dict(cl_args):
""" Build extra args map """
# Check parameters
component_parallelism = cl_args['component_parallelism']
runtime_configs = cl_args['runtime_config']
container_number = cl_args['container_number']
# Users need to provide either (component-parallelism || container_number) or runtime-config
if (component_parallelism and runtime_configs) or (container_number and runtime_configs):
raise Exception(
"(component-parallelism or container_num) and runtime-config " +
"can't be updated at the same time")
dict_extra_args = {}
nothing_set = True
if component_parallelism:
dict_extra_args.update({'component_parallelism': component_parallelism})
nothing_set = False
if container_number:
dict_extra_args.update({'container_number': container_number})
nothing_set = False
if runtime_configs:
dict_extra_args.update({'runtime_config': runtime_configs})
nothing_set = False
if nothing_set:
raise Exception(
"Missing arguments --component-parallelism or --runtime-config or --container-number")
if cl_args['dry_run']:
dict_extra_args.update({'dry_run': True})
if 'dry_run_format' in cl_args:
dict_extra_args.update({'dry_run_format': cl_args["dry_run_format"]})
return dict_extra_args | def build_extra_args_dict(cl_args):
""" Build extra args map """
# Check parameters
component_parallelism = cl_args['component_parallelism']
runtime_configs = cl_args['runtime_config']
container_number = cl_args['container_number']
# Users need to provide either (component-parallelism || container_number) or runtime-config
if (component_parallelism and runtime_configs) or (container_number and runtime_configs):
raise Exception(
"(component-parallelism or container_num) and runtime-config " +
"can't be updated at the same time")
dict_extra_args = {}
nothing_set = True
if component_parallelism:
dict_extra_args.update({'component_parallelism': component_parallelism})
nothing_set = False
if container_number:
dict_extra_args.update({'container_number': container_number})
nothing_set = False
if runtime_configs:
dict_extra_args.update({'runtime_config': runtime_configs})
nothing_set = False
if nothing_set:
raise Exception(
"Missing arguments --component-parallelism or --runtime-config or --container-number")
if cl_args['dry_run']:
dict_extra_args.update({'dry_run': True})
if 'dry_run_format' in cl_args:
dict_extra_args.update({'dry_run_format': cl_args["dry_run_format"]})
return dict_extra_args | [
"Build",
"extra",
"args",
"map"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/update.py#L103-L139 | [
"def",
"build_extra_args_dict",
"(",
"cl_args",
")",
":",
"# Check parameters",
"component_parallelism",
"=",
"cl_args",
"[",
"'component_parallelism'",
"]",
"runtime_configs",
"=",
"cl_args",
"[",
"'runtime_config'",
"]",
"container_number",
"=",
"cl_args",
"[",
"'cont... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | convert_args_dict_to_list | flatten extra args | heron/tools/cli/src/python/update.py | def convert_args_dict_to_list(dict_extra_args):
""" flatten extra args """
list_extra_args = []
if 'component_parallelism' in dict_extra_args:
list_extra_args += ["--component_parallelism",
','.join(dict_extra_args['component_parallelism'])]
if 'runtime_config' in dict_extra_args:
list_extra_args += ["--runtime_config",
','.join(dict_extra_args['runtime_config'])]
if 'container_number' in dict_extra_args:
list_extra_args += ["--container_number",
','.join(dict_extra_args['container_number'])]
if 'dry_run' in dict_extra_args and dict_extra_args['dry_run']:
list_extra_args += ['--dry_run']
if 'dry_run_format' in dict_extra_args:
list_extra_args += ['--dry_run_format', dict_extra_args['dry_run_format']]
return list_extra_args | def convert_args_dict_to_list(dict_extra_args):
""" flatten extra args """
list_extra_args = []
if 'component_parallelism' in dict_extra_args:
list_extra_args += ["--component_parallelism",
','.join(dict_extra_args['component_parallelism'])]
if 'runtime_config' in dict_extra_args:
list_extra_args += ["--runtime_config",
','.join(dict_extra_args['runtime_config'])]
if 'container_number' in dict_extra_args:
list_extra_args += ["--container_number",
','.join(dict_extra_args['container_number'])]
if 'dry_run' in dict_extra_args and dict_extra_args['dry_run']:
list_extra_args += ['--dry_run']
if 'dry_run_format' in dict_extra_args:
list_extra_args += ['--dry_run_format', dict_extra_args['dry_run_format']]
return list_extra_args | [
"flatten",
"extra",
"args"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/update.py#L142-L159 | [
"def",
"convert_args_dict_to_list",
"(",
"dict_extra_args",
")",
":",
"list_extra_args",
"=",
"[",
"]",
"if",
"'component_parallelism'",
"in",
"dict_extra_args",
":",
"list_extra_args",
"+=",
"[",
"\"--component_parallelism\"",
",",
"','",
".",
"join",
"(",
"dict_extr... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run | run the update command | heron/tools/cli/src/python/update.py | def run(command, parser, cl_args, unknown_args):
""" run the update command """
Log.debug("Update Args: %s", cl_args)
# Build jar list
extra_lib_jars = jars.packing_jars()
action = "update topology%s" % (' in dry-run mode' if cl_args["dry_run"] else '')
# Build extra args
dict_extra_args = {}
try:
dict_extra_args = build_extra_args_dict(cl_args)
except Exception as err:
return SimpleResult(Status.InvocationError, err.message)
# Execute
if cl_args['deploy_mode'] == config.SERVER_MODE:
return cli_helper.run_server(command, cl_args, action, dict_extra_args)
else:
# Convert extra argument to commandline format and then execute
list_extra_args = convert_args_dict_to_list(dict_extra_args)
return cli_helper.run_direct(command, cl_args, action, list_extra_args, extra_lib_jars) | def run(command, parser, cl_args, unknown_args):
""" run the update command """
Log.debug("Update Args: %s", cl_args)
# Build jar list
extra_lib_jars = jars.packing_jars()
action = "update topology%s" % (' in dry-run mode' if cl_args["dry_run"] else '')
# Build extra args
dict_extra_args = {}
try:
dict_extra_args = build_extra_args_dict(cl_args)
except Exception as err:
return SimpleResult(Status.InvocationError, err.message)
# Execute
if cl_args['deploy_mode'] == config.SERVER_MODE:
return cli_helper.run_server(command, cl_args, action, dict_extra_args)
else:
# Convert extra argument to commandline format and then execute
list_extra_args = convert_args_dict_to_list(dict_extra_args)
return cli_helper.run_direct(command, cl_args, action, list_extra_args, extra_lib_jars) | [
"run",
"the",
"update",
"command"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/update.py#L162-L184 | [
"def",
"run",
"(",
"command",
",",
"parser",
",",
"cl_args",
",",
"unknown_args",
")",
":",
"Log",
".",
"debug",
"(",
"\"Update Args: %s\"",
",",
"cl_args",
")",
"# Build jar list",
"extra_lib_jars",
"=",
"jars",
".",
"packing_jars",
"(",
")",
"action",
"=",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | getInstancePid | This method is used by other modules, and so it
is not a part of the class.
Fetches Instance pid from heron-shell. | heron/tools/tracker/src/python/handlers/pidhandler.py | def getInstancePid(topology_info, instance_id):
"""
This method is used by other modules, and so it
is not a part of the class.
Fetches Instance pid from heron-shell.
"""
try:
http_client = tornado.httpclient.AsyncHTTPClient()
endpoint = utils.make_shell_endpoint(topology_info, instance_id)
url = "%s/pid/%s" % (endpoint, instance_id)
Log.debug("HTTP call for url: %s", url)
response = yield http_client.fetch(url)
raise tornado.gen.Return(response.body)
except tornado.httpclient.HTTPError as e:
raise Exception(str(e)) | def getInstancePid(topology_info, instance_id):
"""
This method is used by other modules, and so it
is not a part of the class.
Fetches Instance pid from heron-shell.
"""
try:
http_client = tornado.httpclient.AsyncHTTPClient()
endpoint = utils.make_shell_endpoint(topology_info, instance_id)
url = "%s/pid/%s" % (endpoint, instance_id)
Log.debug("HTTP call for url: %s", url)
response = yield http_client.fetch(url)
raise tornado.gen.Return(response.body)
except tornado.httpclient.HTTPError as e:
raise Exception(str(e)) | [
"This",
"method",
"is",
"used",
"by",
"other",
"modules",
"and",
"so",
"it",
"is",
"not",
"a",
"part",
"of",
"the",
"class",
".",
"Fetches",
"Instance",
"pid",
"from",
"heron",
"-",
"shell",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/handlers/pidhandler.py#L32-L46 | [
"def",
"getInstancePid",
"(",
"topology_info",
",",
"instance_id",
")",
":",
"try",
":",
"http_client",
"=",
"tornado",
".",
"httpclient",
".",
"AsyncHTTPClient",
"(",
")",
"endpoint",
"=",
"utils",
".",
"make_shell_endpoint",
"(",
"topology_info",
",",
"instanc... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | PidHandler.get | get method | heron/tools/tracker/src/python/handlers/pidhandler.py | def get(self):
""" get method """
try:
cluster = self.get_argument_cluster()
role = self.get_argument_role()
environ = self.get_argument_environ()
topology_name = self.get_argument_topology()
instance = self.get_argument_instance()
topology_info = self.tracker.getTopologyInfo(topology_name, cluster, role, environ)
result = yield getInstancePid(topology_info, instance)
self.write_success_response(result)
except Exception as e:
Log.debug(traceback.format_exc())
self.write_error_response(e) | def get(self):
""" get method """
try:
cluster = self.get_argument_cluster()
role = self.get_argument_role()
environ = self.get_argument_environ()
topology_name = self.get_argument_topology()
instance = self.get_argument_instance()
topology_info = self.tracker.getTopologyInfo(topology_name, cluster, role, environ)
result = yield getInstancePid(topology_info, instance)
self.write_success_response(result)
except Exception as e:
Log.debug(traceback.format_exc())
self.write_error_response(e) | [
"get",
"method"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/handlers/pidhandler.py#L77-L90 | [
"def",
"get",
"(",
"self",
")",
":",
"try",
":",
"cluster",
"=",
"self",
".",
"get_argument_cluster",
"(",
")",
"role",
"=",
"self",
".",
"get_argument_role",
"(",
")",
"environ",
"=",
"self",
".",
"get_argument_environ",
"(",
")",
"topology_name",
"=",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Grouping.is_grouping_sane | Checks if a given gtype is sane | heronpy/api/stream.py | def is_grouping_sane(cls, gtype):
"""Checks if a given gtype is sane"""
if gtype == cls.SHUFFLE or gtype == cls.ALL or gtype == cls.LOWEST or gtype == cls.NONE:
return True
elif isinstance(gtype, cls.FIELDS):
return gtype.gtype == topology_pb2.Grouping.Value("FIELDS") and \
gtype.fields is not None
elif isinstance(gtype, cls.CUSTOM):
return gtype.gtype == topology_pb2.Grouping.Value("CUSTOM") and \
gtype.python_serialized is not None
else:
#pylint: disable=fixme
#TODO: DIRECT are not supported yet
return False | def is_grouping_sane(cls, gtype):
"""Checks if a given gtype is sane"""
if gtype == cls.SHUFFLE or gtype == cls.ALL or gtype == cls.LOWEST or gtype == cls.NONE:
return True
elif isinstance(gtype, cls.FIELDS):
return gtype.gtype == topology_pb2.Grouping.Value("FIELDS") and \
gtype.fields is not None
elif isinstance(gtype, cls.CUSTOM):
return gtype.gtype == topology_pb2.Grouping.Value("CUSTOM") and \
gtype.python_serialized is not None
else:
#pylint: disable=fixme
#TODO: DIRECT are not supported yet
return False | [
"Checks",
"if",
"a",
"given",
"gtype",
"is",
"sane"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/stream.py#L84-L97 | [
"def",
"is_grouping_sane",
"(",
"cls",
",",
"gtype",
")",
":",
"if",
"gtype",
"==",
"cls",
".",
"SHUFFLE",
"or",
"gtype",
"==",
"cls",
".",
"ALL",
"or",
"gtype",
"==",
"cls",
".",
"LOWEST",
"or",
"gtype",
"==",
"cls",
".",
"NONE",
":",
"return",
"T... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Grouping.fields | Field grouping | heronpy/api/stream.py | def fields(cls, *fields):
"""Field grouping"""
if len(fields) == 1 and isinstance(fields[0], list):
fields = fields[0]
else:
fields = list(fields)
for i in fields:
if not isinstance(i, str):
raise TypeError("Non-string cannot be specified in fields")
if not fields:
raise ValueError("List cannot be empty for fields grouping")
return cls.FIELDS(gtype=topology_pb2.Grouping.Value("FIELDS"),
fields=fields) | def fields(cls, *fields):
"""Field grouping"""
if len(fields) == 1 and isinstance(fields[0], list):
fields = fields[0]
else:
fields = list(fields)
for i in fields:
if not isinstance(i, str):
raise TypeError("Non-string cannot be specified in fields")
if not fields:
raise ValueError("List cannot be empty for fields grouping")
return cls.FIELDS(gtype=topology_pb2.Grouping.Value("FIELDS"),
fields=fields) | [
"Field",
"grouping"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/stream.py#L100-L115 | [
"def",
"fields",
"(",
"cls",
",",
"*",
"fields",
")",
":",
"if",
"len",
"(",
"fields",
")",
"==",
"1",
"and",
"isinstance",
"(",
"fields",
"[",
"0",
"]",
",",
"list",
")",
":",
"fields",
"=",
"fields",
"[",
"0",
"]",
"else",
":",
"fields",
"=",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Grouping.custom | Custom grouping from a given implementation of ICustomGrouping
:param customgrouper: The ICustomGrouping implemention to use | heronpy/api/stream.py | def custom(cls, customgrouper):
"""Custom grouping from a given implementation of ICustomGrouping
:param customgrouper: The ICustomGrouping implemention to use
"""
if customgrouper is None:
raise TypeError("Argument to custom() must be ICustomGrouping instance or classpath")
if not isinstance(customgrouper, ICustomGrouping) and not isinstance(customgrouper, str):
raise TypeError("Argument to custom() must be ICustomGrouping instance or classpath")
serialized = default_serializer.serialize(customgrouper)
return cls.custom_serialized(serialized, is_java=False) | def custom(cls, customgrouper):
"""Custom grouping from a given implementation of ICustomGrouping
:param customgrouper: The ICustomGrouping implemention to use
"""
if customgrouper is None:
raise TypeError("Argument to custom() must be ICustomGrouping instance or classpath")
if not isinstance(customgrouper, ICustomGrouping) and not isinstance(customgrouper, str):
raise TypeError("Argument to custom() must be ICustomGrouping instance or classpath")
serialized = default_serializer.serialize(customgrouper)
return cls.custom_serialized(serialized, is_java=False) | [
"Custom",
"grouping",
"from",
"a",
"given",
"implementation",
"of",
"ICustomGrouping"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/stream.py#L118-L128 | [
"def",
"custom",
"(",
"cls",
",",
"customgrouper",
")",
":",
"if",
"customgrouper",
"is",
"None",
":",
"raise",
"TypeError",
"(",
"\"Argument to custom() must be ICustomGrouping instance or classpath\"",
")",
"if",
"not",
"isinstance",
"(",
"customgrouper",
",",
"ICus... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Grouping.custom_serialized | Custom grouping from a given serialized string
This class is created for compatibility with ``custom_serialized(cls, java_serialized)`` method
of StreamParse API, although its functionality is not yet implemented (Java-serialized).
Currently only custom grouping implemented in Python is supported, and ``custom()`` method
should be used to indicate its classpath, rather than directly to use this method.
In the future, users can directly specify Java-serialized object with ``is_java=True`` in order
to use a custom grouping implemented in Java for python topology.
:param serialized: serialized classpath to custom grouping class to use (if python)
:param is_java: indicate whether this is Java serialized, or python serialized | heronpy/api/stream.py | def custom_serialized(cls, serialized, is_java=True):
"""Custom grouping from a given serialized string
This class is created for compatibility with ``custom_serialized(cls, java_serialized)`` method
of StreamParse API, although its functionality is not yet implemented (Java-serialized).
Currently only custom grouping implemented in Python is supported, and ``custom()`` method
should be used to indicate its classpath, rather than directly to use this method.
In the future, users can directly specify Java-serialized object with ``is_java=True`` in order
to use a custom grouping implemented in Java for python topology.
:param serialized: serialized classpath to custom grouping class to use (if python)
:param is_java: indicate whether this is Java serialized, or python serialized
"""
if not isinstance(serialized, bytes):
raise TypeError("Argument to custom_serialized() must be "
"a serialized Python class as bytes, given: %s" % str(serialized))
if not is_java:
return cls.CUSTOM(gtype=topology_pb2.Grouping.Value("CUSTOM"),
python_serialized=serialized)
else:
raise NotImplementedError("Custom grouping implemented in Java for Python topology"
"is not yet supported.") | def custom_serialized(cls, serialized, is_java=True):
"""Custom grouping from a given serialized string
This class is created for compatibility with ``custom_serialized(cls, java_serialized)`` method
of StreamParse API, although its functionality is not yet implemented (Java-serialized).
Currently only custom grouping implemented in Python is supported, and ``custom()`` method
should be used to indicate its classpath, rather than directly to use this method.
In the future, users can directly specify Java-serialized object with ``is_java=True`` in order
to use a custom grouping implemented in Java for python topology.
:param serialized: serialized classpath to custom grouping class to use (if python)
:param is_java: indicate whether this is Java serialized, or python serialized
"""
if not isinstance(serialized, bytes):
raise TypeError("Argument to custom_serialized() must be "
"a serialized Python class as bytes, given: %s" % str(serialized))
if not is_java:
return cls.CUSTOM(gtype=topology_pb2.Grouping.Value("CUSTOM"),
python_serialized=serialized)
else:
raise NotImplementedError("Custom grouping implemented in Java for Python topology"
"is not yet supported.") | [
"Custom",
"grouping",
"from",
"a",
"given",
"serialized",
"string"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/stream.py#L131-L153 | [
"def",
"custom_serialized",
"(",
"cls",
",",
"serialized",
",",
"is_java",
"=",
"True",
")",
":",
"if",
"not",
"isinstance",
"(",
"serialized",
",",
"bytes",
")",
":",
"raise",
"TypeError",
"(",
"\"Argument to custom_serialized() must be \"",
"\"a serialized Python ... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BaseMetricsHelper.register_metrics | Registers its metrics to a given metrics collector with a given interval | heron/instance/src/python/utils/metrics/metrics_helper.py | def register_metrics(self, metrics_collector, interval):
"""Registers its metrics to a given metrics collector with a given interval"""
for field, metrics in self.metrics.items():
metrics_collector.register_metric(field, metrics, interval) | def register_metrics(self, metrics_collector, interval):
"""Registers its metrics to a given metrics collector with a given interval"""
for field, metrics in self.metrics.items():
metrics_collector.register_metric(field, metrics, interval) | [
"Registers",
"its",
"metrics",
"to",
"a",
"given",
"metrics",
"collector",
"with",
"a",
"given",
"interval"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L42-L45 | [
"def",
"register_metrics",
"(",
"self",
",",
"metrics_collector",
",",
"interval",
")",
":",
"for",
"field",
",",
"metrics",
"in",
"self",
".",
"metrics",
".",
"items",
"(",
")",
":",
"metrics_collector",
".",
"register_metric",
"(",
"field",
",",
"metrics",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BaseMetricsHelper.update_count | Update the value of CountMetric or MultiCountMetric
:type name: str
:param name: name of the registered metric to be updated.
:type incr_by: int
:param incr_by: specifies how much to increment. Default is 1.
:type key: str or None
:param key: specifies a key for MultiCountMetric. Needs to be `None` for updating CountMetric. | heron/instance/src/python/utils/metrics/metrics_helper.py | def update_count(self, name, incr_by=1, key=None):
"""Update the value of CountMetric or MultiCountMetric
:type name: str
:param name: name of the registered metric to be updated.
:type incr_by: int
:param incr_by: specifies how much to increment. Default is 1.
:type key: str or None
:param key: specifies a key for MultiCountMetric. Needs to be `None` for updating CountMetric.
"""
if name not in self.metrics:
Log.error("In update_count(): %s is not registered in the metric", name)
if key is None and isinstance(self.metrics[name], CountMetric):
self.metrics[name].incr(incr_by)
elif key is not None and isinstance(self.metrics[name], MultiCountMetric):
self.metrics[name].incr(key, incr_by)
else:
Log.error("In update_count(): %s is registered but not supported with this method", name) | def update_count(self, name, incr_by=1, key=None):
"""Update the value of CountMetric or MultiCountMetric
:type name: str
:param name: name of the registered metric to be updated.
:type incr_by: int
:param incr_by: specifies how much to increment. Default is 1.
:type key: str or None
:param key: specifies a key for MultiCountMetric. Needs to be `None` for updating CountMetric.
"""
if name not in self.metrics:
Log.error("In update_count(): %s is not registered in the metric", name)
if key is None and isinstance(self.metrics[name], CountMetric):
self.metrics[name].incr(incr_by)
elif key is not None and isinstance(self.metrics[name], MultiCountMetric):
self.metrics[name].incr(key, incr_by)
else:
Log.error("In update_count(): %s is registered but not supported with this method", name) | [
"Update",
"the",
"value",
"of",
"CountMetric",
"or",
"MultiCountMetric"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L47-L65 | [
"def",
"update_count",
"(",
"self",
",",
"name",
",",
"incr_by",
"=",
"1",
",",
"key",
"=",
"None",
")",
":",
"if",
"name",
"not",
"in",
"self",
".",
"metrics",
":",
"Log",
".",
"error",
"(",
"\"In update_count(): %s is not registered in the metric\"",
",",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BaseMetricsHelper.update_reduced_metric | Update the value of ReducedMetric or MultiReducedMetric
:type name: str
:param name: name of the registered metric to be updated.
:param value: specifies a value to be reduced.
:type key: str or None
:param key: specifies a key for MultiReducedMetric. Needs to be `None` for updating
ReducedMetric. | heron/instance/src/python/utils/metrics/metrics_helper.py | def update_reduced_metric(self, name, value, key=None):
"""Update the value of ReducedMetric or MultiReducedMetric
:type name: str
:param name: name of the registered metric to be updated.
:param value: specifies a value to be reduced.
:type key: str or None
:param key: specifies a key for MultiReducedMetric. Needs to be `None` for updating
ReducedMetric.
"""
if name not in self.metrics:
Log.error("In update_reduced_metric(): %s is not registered in the metric", name)
if key is None and isinstance(self.metrics[name], ReducedMetric):
self.metrics[name].update(value)
elif key is not None and isinstance(self.metrics[name], MultiReducedMetric):
self.metrics[name].update(key, value)
else:
Log.error("In update_count(): %s is registered but not supported with this method", name) | def update_reduced_metric(self, name, value, key=None):
"""Update the value of ReducedMetric or MultiReducedMetric
:type name: str
:param name: name of the registered metric to be updated.
:param value: specifies a value to be reduced.
:type key: str or None
:param key: specifies a key for MultiReducedMetric. Needs to be `None` for updating
ReducedMetric.
"""
if name not in self.metrics:
Log.error("In update_reduced_metric(): %s is not registered in the metric", name)
if key is None and isinstance(self.metrics[name], ReducedMetric):
self.metrics[name].update(value)
elif key is not None and isinstance(self.metrics[name], MultiReducedMetric):
self.metrics[name].update(key, value)
else:
Log.error("In update_count(): %s is registered but not supported with this method", name) | [
"Update",
"the",
"value",
"of",
"ReducedMetric",
"or",
"MultiReducedMetric"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L67-L85 | [
"def",
"update_reduced_metric",
"(",
"self",
",",
"name",
",",
"value",
",",
"key",
"=",
"None",
")",
":",
"if",
"name",
"not",
"in",
"self",
".",
"metrics",
":",
"Log",
".",
"error",
"(",
"\"In update_reduced_metric(): %s is not registered in the metric\"",
","... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | GatewayMetrics.update_received_packet | Update received packet metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def update_received_packet(self, received_pkt_size_bytes):
"""Update received packet metrics"""
self.update_count(self.RECEIVED_PKT_COUNT)
self.update_count(self.RECEIVED_PKT_SIZE, incr_by=received_pkt_size_bytes) | def update_received_packet(self, received_pkt_size_bytes):
"""Update received packet metrics"""
self.update_count(self.RECEIVED_PKT_COUNT)
self.update_count(self.RECEIVED_PKT_SIZE, incr_by=received_pkt_size_bytes) | [
"Update",
"received",
"packet",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L129-L132 | [
"def",
"update_received_packet",
"(",
"self",
",",
"received_pkt_size_bytes",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"RECEIVED_PKT_COUNT",
")",
"self",
".",
"update_count",
"(",
"self",
".",
"RECEIVED_PKT_SIZE",
",",
"incr_by",
"=",
"received_pkt... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | GatewayMetrics.update_sent_packet | Update sent packet metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def update_sent_packet(self, sent_pkt_size_bytes):
"""Update sent packet metrics"""
self.update_count(self.SENT_PKT_COUNT)
self.update_count(self.SENT_PKT_SIZE, incr_by=sent_pkt_size_bytes) | def update_sent_packet(self, sent_pkt_size_bytes):
"""Update sent packet metrics"""
self.update_count(self.SENT_PKT_COUNT)
self.update_count(self.SENT_PKT_SIZE, incr_by=sent_pkt_size_bytes) | [
"Update",
"sent",
"packet",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L134-L137 | [
"def",
"update_sent_packet",
"(",
"self",
",",
"sent_pkt_size_bytes",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"SENT_PKT_COUNT",
")",
"self",
".",
"update_count",
"(",
"self",
".",
"SENT_PKT_SIZE",
",",
"incr_by",
"=",
"sent_pkt_size_bytes",
")"
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ComponentMetrics.register_metrics | Registers metrics to context
:param context: Topology Context | heron/instance/src/python/utils/metrics/metrics_helper.py | def register_metrics(self, context):
"""Registers metrics to context
:param context: Topology Context
"""
sys_config = system_config.get_sys_config()
interval = float(sys_config[constants.HERON_METRICS_EXPORT_INTERVAL_SEC])
collector = context.get_metrics_collector()
super(ComponentMetrics, self).register_metrics(collector, interval) | def register_metrics(self, context):
"""Registers metrics to context
:param context: Topology Context
"""
sys_config = system_config.get_sys_config()
interval = float(sys_config[constants.HERON_METRICS_EXPORT_INTERVAL_SEC])
collector = context.get_metrics_collector()
super(ComponentMetrics, self).register_metrics(collector, interval) | [
"Registers",
"metrics",
"to",
"context"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L174-L182 | [
"def",
"register_metrics",
"(",
"self",
",",
"context",
")",
":",
"sys_config",
"=",
"system_config",
".",
"get_sys_config",
"(",
")",
"interval",
"=",
"float",
"(",
"sys_config",
"[",
"constants",
".",
"HERON_METRICS_EXPORT_INTERVAL_SEC",
"]",
")",
"collector",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | ComponentMetrics.serialize_data_tuple | Apply update to serialization metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def serialize_data_tuple(self, stream_id, latency_in_ns):
"""Apply update to serialization metrics"""
self.update_count(self.TUPLE_SERIALIZATION_TIME_NS, incr_by=latency_in_ns, key=stream_id) | def serialize_data_tuple(self, stream_id, latency_in_ns):
"""Apply update to serialization metrics"""
self.update_count(self.TUPLE_SERIALIZATION_TIME_NS, incr_by=latency_in_ns, key=stream_id) | [
"Apply",
"update",
"to",
"serialization",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L192-L194 | [
"def",
"serialize_data_tuple",
"(",
"self",
",",
"stream_id",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"TUPLE_SERIALIZATION_TIME_NS",
",",
"incr_by",
"=",
"latency_in_ns",
",",
"key",
"=",
"stream_id",
")"
] | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutMetrics._init_multi_count_metrics | Initializes the default values for a necessary set of MultiCountMetrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def _init_multi_count_metrics(self, pplan_helper):
"""Initializes the default values for a necessary set of MultiCountMetrics"""
to_init = [self.metrics[i] for i in self.to_multi_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for out_stream in pplan_helper.get_my_spout().outputs:
stream_id = out_stream.stream.id
for metric in to_init:
metric.add_key(stream_id) | def _init_multi_count_metrics(self, pplan_helper):
"""Initializes the default values for a necessary set of MultiCountMetrics"""
to_init = [self.metrics[i] for i in self.to_multi_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for out_stream in pplan_helper.get_my_spout().outputs:
stream_id = out_stream.stream.id
for metric in to_init:
metric.add_key(stream_id) | [
"Initializes",
"the",
"default",
"values",
"for",
"a",
"necessary",
"set",
"of",
"MultiCountMetrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L219-L226 | [
"def",
"_init_multi_count_metrics",
"(",
"self",
",",
"pplan_helper",
")",
":",
"to_init",
"=",
"[",
"self",
".",
"metrics",
"[",
"i",
"]",
"for",
"i",
"in",
"self",
".",
"to_multi_init",
"if",
"i",
"in",
"self",
".",
"metrics",
"and",
"isinstance",
"(",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutMetrics.next_tuple | Apply updates to the next tuple metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def next_tuple(self, latency_in_ns):
"""Apply updates to the next tuple metrics"""
self.update_reduced_metric(self.NEXT_TUPLE_LATENCY, latency_in_ns)
self.update_count(self.NEXT_TUPLE_COUNT) | def next_tuple(self, latency_in_ns):
"""Apply updates to the next tuple metrics"""
self.update_reduced_metric(self.NEXT_TUPLE_LATENCY, latency_in_ns)
self.update_count(self.NEXT_TUPLE_COUNT) | [
"Apply",
"updates",
"to",
"the",
"next",
"tuple",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L228-L231 | [
"def",
"next_tuple",
"(",
"self",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_reduced_metric",
"(",
"self",
".",
"NEXT_TUPLE_LATENCY",
",",
"latency_in_ns",
")",
"self",
".",
"update_count",
"(",
"self",
".",
"NEXT_TUPLE_COUNT",
")"
] | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutMetrics.acked_tuple | Apply updates to the ack metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def acked_tuple(self, stream_id, complete_latency_ns):
"""Apply updates to the ack metrics"""
self.update_count(self.ACK_COUNT, key=stream_id)
self.update_reduced_metric(self.COMPLETE_LATENCY, complete_latency_ns, key=stream_id) | def acked_tuple(self, stream_id, complete_latency_ns):
"""Apply updates to the ack metrics"""
self.update_count(self.ACK_COUNT, key=stream_id)
self.update_reduced_metric(self.COMPLETE_LATENCY, complete_latency_ns, key=stream_id) | [
"Apply",
"updates",
"to",
"the",
"ack",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L233-L236 | [
"def",
"acked_tuple",
"(",
"self",
",",
"stream_id",
",",
"complete_latency_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"ACK_COUNT",
",",
"key",
"=",
"stream_id",
")",
"self",
".",
"update_reduced_metric",
"(",
"self",
".",
"COMPLETE_LATENCY"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | SpoutMetrics.failed_tuple | Apply updates to the fail metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def failed_tuple(self, stream_id, fail_latency_ns):
"""Apply updates to the fail metrics"""
self.update_count(self.FAIL_COUNT, key=stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, fail_latency_ns, key=stream_id) | def failed_tuple(self, stream_id, fail_latency_ns):
"""Apply updates to the fail metrics"""
self.update_count(self.FAIL_COUNT, key=stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, fail_latency_ns, key=stream_id) | [
"Apply",
"updates",
"to",
"the",
"fail",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L238-L241 | [
"def",
"failed_tuple",
"(",
"self",
",",
"stream_id",
",",
"fail_latency_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"FAIL_COUNT",
",",
"key",
"=",
"stream_id",
")",
"self",
".",
"update_reduced_metric",
"(",
"self",
".",
"FAIL_LATENCY",
",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BoltMetrics._init_multi_count_metrics | Initializes the default values for a necessary set of MultiCountMetrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def _init_multi_count_metrics(self, pplan_helper):
"""Initializes the default values for a necessary set of MultiCountMetrics"""
# inputs
to_in_init = [self.metrics[i] for i in self.inputs_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for in_stream in pplan_helper.get_my_bolt().inputs:
stream_id = in_stream.stream.id
global_stream_id = in_stream.stream.component_name + "/" + stream_id
for metric in to_in_init:
metric.add_key(stream_id)
metric.add_key(global_stream_id)
# outputs
to_out_init = [self.metrics[i] for i in self.outputs_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for out_stream in pplan_helper.get_my_bolt().outputs:
stream_id = out_stream.stream.id
for metric in to_out_init:
metric.add_key(stream_id) | def _init_multi_count_metrics(self, pplan_helper):
"""Initializes the default values for a necessary set of MultiCountMetrics"""
# inputs
to_in_init = [self.metrics[i] for i in self.inputs_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for in_stream in pplan_helper.get_my_bolt().inputs:
stream_id = in_stream.stream.id
global_stream_id = in_stream.stream.component_name + "/" + stream_id
for metric in to_in_init:
metric.add_key(stream_id)
metric.add_key(global_stream_id)
# outputs
to_out_init = [self.metrics[i] for i in self.outputs_init
if i in self.metrics and isinstance(self.metrics[i], MultiCountMetric)]
for out_stream in pplan_helper.get_my_bolt().outputs:
stream_id = out_stream.stream.id
for metric in to_out_init:
metric.add_key(stream_id) | [
"Initializes",
"the",
"default",
"values",
"for",
"a",
"necessary",
"set",
"of",
"MultiCountMetrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L275-L292 | [
"def",
"_init_multi_count_metrics",
"(",
"self",
",",
"pplan_helper",
")",
":",
"# inputs",
"to_in_init",
"=",
"[",
"self",
".",
"metrics",
"[",
"i",
"]",
"for",
"i",
"in",
"self",
".",
"inputs_init",
"if",
"i",
"in",
"self",
".",
"metrics",
"and",
"isin... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BoltMetrics.execute_tuple | Apply updates to the execute metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def execute_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the execute metrics"""
self.update_count(self.EXEC_COUNT, key=stream_id)
self.update_reduced_metric(self.EXEC_LATENCY, latency_in_ns, stream_id)
self.update_count(self.EXEC_TIME_NS, incr_by=latency_in_ns, key=stream_id)
global_stream_id = source_component + "/" + stream_id
self.update_count(self.EXEC_COUNT, key=global_stream_id)
self.update_reduced_metric(self.EXEC_LATENCY, latency_in_ns, global_stream_id)
self.update_count(self.EXEC_TIME_NS, incr_by=latency_in_ns, key=global_stream_id) | def execute_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the execute metrics"""
self.update_count(self.EXEC_COUNT, key=stream_id)
self.update_reduced_metric(self.EXEC_LATENCY, latency_in_ns, stream_id)
self.update_count(self.EXEC_TIME_NS, incr_by=latency_in_ns, key=stream_id)
global_stream_id = source_component + "/" + stream_id
self.update_count(self.EXEC_COUNT, key=global_stream_id)
self.update_reduced_metric(self.EXEC_LATENCY, latency_in_ns, global_stream_id)
self.update_count(self.EXEC_TIME_NS, incr_by=latency_in_ns, key=global_stream_id) | [
"Apply",
"updates",
"to",
"the",
"execute",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L294-L303 | [
"def",
"execute_tuple",
"(",
"self",
",",
"stream_id",
",",
"source_component",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"EXEC_COUNT",
",",
"key",
"=",
"stream_id",
")",
"self",
".",
"update_reduced_metric",
"(",
"self",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BoltMetrics.deserialize_data_tuple | Apply updates to the deserialization metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def deserialize_data_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the deserialization metrics"""
self.update_count(self.TUPLE_DESERIALIZATION_TIME_NS, incr_by=latency_in_ns, key=stream_id)
global_stream_id = source_component + "/" + stream_id
self.update_count(self.TUPLE_DESERIALIZATION_TIME_NS, incr_by=latency_in_ns,
key=global_stream_id) | def deserialize_data_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the deserialization metrics"""
self.update_count(self.TUPLE_DESERIALIZATION_TIME_NS, incr_by=latency_in_ns, key=stream_id)
global_stream_id = source_component + "/" + stream_id
self.update_count(self.TUPLE_DESERIALIZATION_TIME_NS, incr_by=latency_in_ns,
key=global_stream_id) | [
"Apply",
"updates",
"to",
"the",
"deserialization",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L305-L310 | [
"def",
"deserialize_data_tuple",
"(",
"self",
",",
"stream_id",
",",
"source_component",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"TUPLE_DESERIALIZATION_TIME_NS",
",",
"incr_by",
"=",
"latency_in_ns",
",",
"key",
"=",
"stream_... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BoltMetrics.acked_tuple | Apply updates to the ack metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def acked_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the ack metrics"""
self.update_count(self.ACK_COUNT, key=stream_id)
self.update_reduced_metric(self.PROCESS_LATENCY, latency_in_ns, stream_id)
global_stream_id = source_component + '/' + stream_id
self.update_count(self.ACK_COUNT, key=global_stream_id)
self.update_reduced_metric(self.PROCESS_LATENCY, latency_in_ns, global_stream_id) | def acked_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the ack metrics"""
self.update_count(self.ACK_COUNT, key=stream_id)
self.update_reduced_metric(self.PROCESS_LATENCY, latency_in_ns, stream_id)
global_stream_id = source_component + '/' + stream_id
self.update_count(self.ACK_COUNT, key=global_stream_id)
self.update_reduced_metric(self.PROCESS_LATENCY, latency_in_ns, global_stream_id) | [
"Apply",
"updates",
"to",
"the",
"ack",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L312-L318 | [
"def",
"acked_tuple",
"(",
"self",
",",
"stream_id",
",",
"source_component",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"ACK_COUNT",
",",
"key",
"=",
"stream_id",
")",
"self",
".",
"update_reduced_metric",
"(",
"self",
".... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | BoltMetrics.failed_tuple | Apply updates to the fail metrics | heron/instance/src/python/utils/metrics/metrics_helper.py | def failed_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the fail metrics"""
self.update_count(self.FAIL_COUNT, key=stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, latency_in_ns, stream_id)
global_stream_id = source_component + '/' + stream_id
self.update_count(self.FAIL_COUNT, key=global_stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, latency_in_ns, global_stream_id) | def failed_tuple(self, stream_id, source_component, latency_in_ns):
"""Apply updates to the fail metrics"""
self.update_count(self.FAIL_COUNT, key=stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, latency_in_ns, stream_id)
global_stream_id = source_component + '/' + stream_id
self.update_count(self.FAIL_COUNT, key=global_stream_id)
self.update_reduced_metric(self.FAIL_LATENCY, latency_in_ns, global_stream_id) | [
"Apply",
"updates",
"to",
"the",
"fail",
"metrics"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L320-L326 | [
"def",
"failed_tuple",
"(",
"self",
",",
"stream_id",
",",
"source_component",
",",
"latency_in_ns",
")",
":",
"self",
".",
"update_count",
"(",
"self",
".",
"FAIL_COUNT",
",",
"key",
"=",
"stream_id",
")",
"self",
".",
"update_reduced_metric",
"(",
"self",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MetricsCollector.register_metric | Registers a given metric
:param name: name of the metric
:param metric: IMetric object to be registered
:param time_bucket_in_sec: time interval for update to the metrics manager | heron/instance/src/python/utils/metrics/metrics_helper.py | def register_metric(self, name, metric, time_bucket_in_sec):
"""Registers a given metric
:param name: name of the metric
:param metric: IMetric object to be registered
:param time_bucket_in_sec: time interval for update to the metrics manager
"""
if name in self.metrics_map:
raise RuntimeError("Another metric has already been registered with name: %s" % name)
Log.debug("Register metric: %s, with interval: %s", name, str(time_bucket_in_sec))
self.metrics_map[name] = metric
if time_bucket_in_sec in self.time_bucket_in_sec_to_metrics_name:
self.time_bucket_in_sec_to_metrics_name[time_bucket_in_sec].append(name)
else:
self.time_bucket_in_sec_to_metrics_name[time_bucket_in_sec] = [name]
self._register_timer_task(time_bucket_in_sec) | def register_metric(self, name, metric, time_bucket_in_sec):
"""Registers a given metric
:param name: name of the metric
:param metric: IMetric object to be registered
:param time_bucket_in_sec: time interval for update to the metrics manager
"""
if name in self.metrics_map:
raise RuntimeError("Another metric has already been registered with name: %s" % name)
Log.debug("Register metric: %s, with interval: %s", name, str(time_bucket_in_sec))
self.metrics_map[name] = metric
if time_bucket_in_sec in self.time_bucket_in_sec_to_metrics_name:
self.time_bucket_in_sec_to_metrics_name[time_bucket_in_sec].append(name)
else:
self.time_bucket_in_sec_to_metrics_name[time_bucket_in_sec] = [name]
self._register_timer_task(time_bucket_in_sec) | [
"Registers",
"a",
"given",
"metric"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/metrics/metrics_helper.py#L339-L356 | [
"def",
"register_metric",
"(",
"self",
",",
"name",
",",
"metric",
",",
"time_bucket_in_sec",
")",
":",
"if",
"name",
"in",
"self",
".",
"metrics_map",
":",
"raise",
"RuntimeError",
"(",
"\"Another metric has already been registered with name: %s\"",
"%",
"name",
")... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | HeronCommunicator.poll | Poll from the buffer
It is a non-blocking operation, and when the buffer is empty, it raises Queue.Empty exception | heron/instance/src/python/utils/misc/communicator.py | def poll(self):
"""Poll from the buffer
It is a non-blocking operation, and when the buffer is empty, it raises Queue.Empty exception
"""
try:
# non-blocking
ret = self._buffer.get(block=False)
if self._producer_callback is not None:
self._producer_callback()
return ret
except Queue.Empty:
Log.debug("%s: Empty in poll()" % str(self))
raise Queue.Empty | def poll(self):
"""Poll from the buffer
It is a non-blocking operation, and when the buffer is empty, it raises Queue.Empty exception
"""
try:
# non-blocking
ret = self._buffer.get(block=False)
if self._producer_callback is not None:
self._producer_callback()
return ret
except Queue.Empty:
Log.debug("%s: Empty in poll()" % str(self))
raise Queue.Empty | [
"Poll",
"from",
"the",
"buffer"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/misc/communicator.py#L64-L77 | [
"def",
"poll",
"(",
"self",
")",
":",
"try",
":",
"# non-blocking",
"ret",
"=",
"self",
".",
"_buffer",
".",
"get",
"(",
"block",
"=",
"False",
")",
"if",
"self",
".",
"_producer_callback",
"is",
"not",
"None",
":",
"self",
".",
"_producer_callback",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | HeronCommunicator.offer | Offer to the buffer
It is a non-blocking operation, and when the buffer is full, it raises Queue.Full exception | heron/instance/src/python/utils/misc/communicator.py | def offer(self, item):
"""Offer to the buffer
It is a non-blocking operation, and when the buffer is full, it raises Queue.Full exception
"""
try:
# non-blocking
self._buffer.put(item, block=False)
if self._consumer_callback is not None:
self._consumer_callback()
return True
except Queue.Full:
Log.debug("%s: Full in offer()" % str(self))
raise Queue.Full | def offer(self, item):
"""Offer to the buffer
It is a non-blocking operation, and when the buffer is full, it raises Queue.Full exception
"""
try:
# non-blocking
self._buffer.put(item, block=False)
if self._consumer_callback is not None:
self._consumer_callback()
return True
except Queue.Full:
Log.debug("%s: Full in offer()" % str(self))
raise Queue.Full | [
"Offer",
"to",
"the",
"buffer"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/misc/communicator.py#L79-L92 | [
"def",
"offer",
"(",
"self",
",",
"item",
")",
":",
"try",
":",
"# non-blocking",
"self",
".",
"_buffer",
".",
"put",
"(",
"item",
",",
"block",
"=",
"False",
")",
"if",
"self",
".",
"_consumer_callback",
"is",
"not",
"None",
":",
"self",
".",
"_cons... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | parse | Parse version to major, minor, patch, pre-release, build parts. | third_party/python/semver/semver.py | def parse(version):
"""
Parse version to major, minor, patch, pre-release, build parts.
"""
match = _REGEX.match(version)
if match is None:
raise ValueError('%s is not valid SemVer string' % version)
verinfo = match.groupdict()
verinfo['major'] = int(verinfo['major'])
verinfo['minor'] = int(verinfo['minor'])
verinfo['patch'] = int(verinfo['patch'])
return verinfo | def parse(version):
"""
Parse version to major, minor, patch, pre-release, build parts.
"""
match = _REGEX.match(version)
if match is None:
raise ValueError('%s is not valid SemVer string' % version)
verinfo = match.groupdict()
verinfo['major'] = int(verinfo['major'])
verinfo['minor'] = int(verinfo['minor'])
verinfo['patch'] = int(verinfo['patch'])
return verinfo | [
"Parse",
"version",
"to",
"major",
"minor",
"patch",
"pre",
"-",
"release",
"build",
"parts",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/third_party/python/semver/semver.py#L17-L31 | [
"def",
"parse",
"(",
"version",
")",
":",
"match",
"=",
"_REGEX",
".",
"match",
"(",
"version",
")",
"if",
"match",
"is",
"None",
":",
"raise",
"ValueError",
"(",
"'%s is not valid SemVer string'",
"%",
"version",
")",
"verinfo",
"=",
"match",
".",
"groupd... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | create_parser | :param subparsers:
:param action:
:param help_arg:
:return: | heron/tools/cli/src/python/cli_helper.py | def create_parser(subparsers, action, help_arg):
'''
:param subparsers:
:param action:
:param help_arg:
:return:
'''
parser = subparsers.add_parser(
action,
help=help_arg,
usage="%(prog)s [options] cluster/[role]/[env] <topology-name>",
add_help=True)
args.add_titles(parser)
args.add_cluster_role_env(parser)
args.add_topology(parser)
args.add_config(parser)
args.add_service_url(parser)
args.add_verbose(parser)
parser.set_defaults(subcommand=action)
return parser | def create_parser(subparsers, action, help_arg):
'''
:param subparsers:
:param action:
:param help_arg:
:return:
'''
parser = subparsers.add_parser(
action,
help=help_arg,
usage="%(prog)s [options] cluster/[role]/[env] <topology-name>",
add_help=True)
args.add_titles(parser)
args.add_cluster_role_env(parser)
args.add_topology(parser)
args.add_config(parser)
args.add_service_url(parser)
args.add_verbose(parser)
parser.set_defaults(subcommand=action)
return parser | [
":",
"param",
"subparsers",
":",
":",
"param",
"action",
":",
":",
"param",
"help_arg",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/cli_helper.py#L34-L56 | [
"def",
"create_parser",
"(",
"subparsers",
",",
"action",
",",
"help_arg",
")",
":",
"parser",
"=",
"subparsers",
".",
"add_parser",
"(",
"action",
",",
"help",
"=",
"help_arg",
",",
"usage",
"=",
"\"%(prog)s [options] cluster/[role]/[env] <topology-name>\"",
",",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run_server | helper function to take action on topologies using REST API
:param command:
:param cl_args:
:param action: description of action taken
:return: | heron/tools/cli/src/python/cli_helper.py | def run_server(command, cl_args, action, extra_args=dict()):
'''
helper function to take action on topologies using REST API
:param command:
:param cl_args:
:param action: description of action taken
:return:
'''
topology_name = cl_args['topology-name']
service_endpoint = cl_args['service_url']
apiroute = rest.ROUTE_SIGNATURES[command][1] % (
cl_args['cluster'],
cl_args['role'],
cl_args['environ'],
topology_name
)
service_apiurl = service_endpoint + apiroute
service_method = rest.ROUTE_SIGNATURES[command][0]
# convert the dictionary to a list of tuples
data = flatten_args(extra_args)
err_msg = "Failed to %s: %s" % (action, topology_name)
succ_msg = "Successfully %s: %s" % (action, topology_name)
try:
r = service_method(service_apiurl, data=data)
s = Status.Ok if r.status_code == requests.codes.ok else Status.HeronError
if r.status_code != requests.codes.ok:
Log.error(r.json().get('message', "Unknown error from API server %d" % r.status_code))
except (requests.exceptions.ConnectionError, requests.exceptions.HTTPError) as err:
Log.error(err)
return SimpleResult(Status.HeronError, err_msg, succ_msg)
return SimpleResult(s, err_msg, succ_msg) | def run_server(command, cl_args, action, extra_args=dict()):
'''
helper function to take action on topologies using REST API
:param command:
:param cl_args:
:param action: description of action taken
:return:
'''
topology_name = cl_args['topology-name']
service_endpoint = cl_args['service_url']
apiroute = rest.ROUTE_SIGNATURES[command][1] % (
cl_args['cluster'],
cl_args['role'],
cl_args['environ'],
topology_name
)
service_apiurl = service_endpoint + apiroute
service_method = rest.ROUTE_SIGNATURES[command][0]
# convert the dictionary to a list of tuples
data = flatten_args(extra_args)
err_msg = "Failed to %s: %s" % (action, topology_name)
succ_msg = "Successfully %s: %s" % (action, topology_name)
try:
r = service_method(service_apiurl, data=data)
s = Status.Ok if r.status_code == requests.codes.ok else Status.HeronError
if r.status_code != requests.codes.ok:
Log.error(r.json().get('message', "Unknown error from API server %d" % r.status_code))
except (requests.exceptions.ConnectionError, requests.exceptions.HTTPError) as err:
Log.error(err)
return SimpleResult(Status.HeronError, err_msg, succ_msg)
return SimpleResult(s, err_msg, succ_msg) | [
"helper",
"function",
"to",
"take",
"action",
"on",
"topologies",
"using",
"REST",
"API",
":",
"param",
"command",
":",
":",
"param",
"cl_args",
":",
":",
"param",
"action",
":",
"description",
"of",
"action",
"taken",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/cli_helper.py#L70-L105 | [
"def",
"run_server",
"(",
"command",
",",
"cl_args",
",",
"action",
",",
"extra_args",
"=",
"dict",
"(",
")",
")",
":",
"topology_name",
"=",
"cl_args",
"[",
"'topology-name'",
"]",
"service_endpoint",
"=",
"cl_args",
"[",
"'service_url'",
"]",
"apiroute",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run_direct | helper function to take action on topologies
:param command:
:param cl_args:
:param action: description of action taken
:return: | heron/tools/cli/src/python/cli_helper.py | def run_direct(command, cl_args, action, extra_args=[], extra_lib_jars=[]):
'''
helper function to take action on topologies
:param command:
:param cl_args:
:param action: description of action taken
:return:
'''
topology_name = cl_args['topology-name']
new_args = [
"--cluster", cl_args['cluster'],
"--role", cl_args['role'],
"--environment", cl_args['environ'],
"--submit_user", cl_args['submit_user'],
"--heron_home", config.get_heron_dir(),
"--config_path", cl_args['config_path'],
"--override_config_file", cl_args['override_config_file'],
"--release_file", config.get_heron_release_file(),
"--topology_name", topology_name,
"--command", command,
]
new_args += extra_args
lib_jars = config.get_heron_libs(jars.scheduler_jars() + jars.statemgr_jars())
lib_jars += extra_lib_jars
if Log.getEffectiveLevel() == logging.DEBUG:
new_args.append("--verbose")
# invoke the runtime manager to kill the topology
result = execute.heron_class(
'org.apache.heron.scheduler.RuntimeManagerMain',
lib_jars,
extra_jars=[],
args=new_args
)
err_msg = "Failed to %s: %s" % (action, topology_name)
succ_msg = "Successfully %s: %s" % (action, topology_name)
result.add_context(err_msg, succ_msg)
return result | def run_direct(command, cl_args, action, extra_args=[], extra_lib_jars=[]):
'''
helper function to take action on topologies
:param command:
:param cl_args:
:param action: description of action taken
:return:
'''
topology_name = cl_args['topology-name']
new_args = [
"--cluster", cl_args['cluster'],
"--role", cl_args['role'],
"--environment", cl_args['environ'],
"--submit_user", cl_args['submit_user'],
"--heron_home", config.get_heron_dir(),
"--config_path", cl_args['config_path'],
"--override_config_file", cl_args['override_config_file'],
"--release_file", config.get_heron_release_file(),
"--topology_name", topology_name,
"--command", command,
]
new_args += extra_args
lib_jars = config.get_heron_libs(jars.scheduler_jars() + jars.statemgr_jars())
lib_jars += extra_lib_jars
if Log.getEffectiveLevel() == logging.DEBUG:
new_args.append("--verbose")
# invoke the runtime manager to kill the topology
result = execute.heron_class(
'org.apache.heron.scheduler.RuntimeManagerMain',
lib_jars,
extra_jars=[],
args=new_args
)
err_msg = "Failed to %s: %s" % (action, topology_name)
succ_msg = "Successfully %s: %s" % (action, topology_name)
result.add_context(err_msg, succ_msg)
return result | [
"helper",
"function",
"to",
"take",
"action",
"on",
"topologies",
":",
"param",
"command",
":",
":",
"param",
"cl_args",
":",
":",
"param",
"action",
":",
"description",
"of",
"action",
"taken",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/cli_helper.py#L109-L149 | [
"def",
"run_direct",
"(",
"command",
",",
"cl_args",
",",
"action",
",",
"extra_args",
"=",
"[",
"]",
",",
"extra_lib_jars",
"=",
"[",
"]",
")",
":",
"topology_name",
"=",
"cl_args",
"[",
"'topology-name'",
"]",
"new_args",
"=",
"[",
"\"--cluster\"",
",",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | get_all_zk_state_managers | Creates all the zookeeper state_managers and returns
them in a list | heron/statemgrs/src/python/statemanagerfactory.py | def get_all_zk_state_managers(conf):
"""
Creates all the zookeeper state_managers and returns
them in a list
"""
state_managers = []
state_locations = conf.get_state_locations_of_type("zookeeper")
for location in state_locations:
name = location['name']
hostport = location['hostport']
hostportlist = []
for hostportpair in hostport.split(','):
host = None
port = None
if ':' in hostport:
hostandport = hostportpair.split(':')
if len(hostandport) == 2:
host = hostandport[0]
port = int(hostandport[1])
if not host or not port:
raise Exception("Hostport for %s must be of the format 'host:port'." % (name))
hostportlist.append((host, port))
tunnelhost = location['tunnelhost']
rootpath = location['rootpath']
LOG.info("Connecting to zk hostports: " + str(hostportlist) + " rootpath: " + rootpath)
state_manager = ZkStateManager(name, hostportlist, rootpath, tunnelhost)
state_managers.append(state_manager)
return state_managers | def get_all_zk_state_managers(conf):
"""
Creates all the zookeeper state_managers and returns
them in a list
"""
state_managers = []
state_locations = conf.get_state_locations_of_type("zookeeper")
for location in state_locations:
name = location['name']
hostport = location['hostport']
hostportlist = []
for hostportpair in hostport.split(','):
host = None
port = None
if ':' in hostport:
hostandport = hostportpair.split(':')
if len(hostandport) == 2:
host = hostandport[0]
port = int(hostandport[1])
if not host or not port:
raise Exception("Hostport for %s must be of the format 'host:port'." % (name))
hostportlist.append((host, port))
tunnelhost = location['tunnelhost']
rootpath = location['rootpath']
LOG.info("Connecting to zk hostports: " + str(hostportlist) + " rootpath: " + rootpath)
state_manager = ZkStateManager(name, hostportlist, rootpath, tunnelhost)
state_managers.append(state_manager)
return state_managers | [
"Creates",
"all",
"the",
"zookeeper",
"state_managers",
"and",
"returns",
"them",
"in",
"a",
"list"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/statemanagerfactory.py#L50-L78 | [
"def",
"get_all_zk_state_managers",
"(",
"conf",
")",
":",
"state_managers",
"=",
"[",
"]",
"state_locations",
"=",
"conf",
".",
"get_state_locations_of_type",
"(",
"\"zookeeper\"",
")",
"for",
"location",
"in",
"state_locations",
":",
"name",
"=",
"location",
"["... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | get_all_file_state_managers | Returns all the file state_managers. | heron/statemgrs/src/python/statemanagerfactory.py | def get_all_file_state_managers(conf):
"""
Returns all the file state_managers.
"""
state_managers = []
state_locations = conf.get_state_locations_of_type("file")
for location in state_locations:
name = location['name']
rootpath = os.path.expanduser(location['rootpath'])
LOG.info("Connecting to file state with rootpath: " + rootpath)
state_manager = FileStateManager(name, rootpath)
state_managers.append(state_manager)
return state_managers | def get_all_file_state_managers(conf):
"""
Returns all the file state_managers.
"""
state_managers = []
state_locations = conf.get_state_locations_of_type("file")
for location in state_locations:
name = location['name']
rootpath = os.path.expanduser(location['rootpath'])
LOG.info("Connecting to file state with rootpath: " + rootpath)
state_manager = FileStateManager(name, rootpath)
state_managers.append(state_manager)
return state_managers | [
"Returns",
"all",
"the",
"file",
"state_managers",
"."
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/statemgrs/src/python/statemanagerfactory.py#L80-L93 | [
"def",
"get_all_file_state_managers",
"(",
"conf",
")",
":",
"state_managers",
"=",
"[",
"]",
"state_locations",
"=",
"conf",
".",
"get_state_locations_of_type",
"(",
"\"file\"",
")",
"for",
"location",
"in",
"state_locations",
":",
"name",
"=",
"location",
"[",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MultiCountMetric.incr | Increments the value of a given key by ``to_add`` | heronpy/api/metrics.py | def incr(self, key, to_add=1):
"""Increments the value of a given key by ``to_add``"""
if key not in self.value:
self.value[key] = CountMetric()
self.value[key].incr(to_add) | def incr(self, key, to_add=1):
"""Increments the value of a given key by ``to_add``"""
if key not in self.value:
self.value[key] = CountMetric()
self.value[key].incr(to_add) | [
"Increments",
"the",
"value",
"of",
"a",
"given",
"key",
"by",
"to_add"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/metrics.py#L58-L62 | [
"def",
"incr",
"(",
"self",
",",
"key",
",",
"to_add",
"=",
"1",
")",
":",
"if",
"key",
"not",
"in",
"self",
".",
"value",
":",
"self",
".",
"value",
"[",
"key",
"]",
"=",
"CountMetric",
"(",
")",
"self",
".",
"value",
"[",
"key",
"]",
".",
"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MultiReducedMetric.update | Updates a value of a given key and apply reduction | heronpy/api/metrics.py | def update(self, key, value):
"""Updates a value of a given key and apply reduction"""
if key not in self.value:
self.value[key] = ReducedMetric(self.reducer)
self.value[key].update(value) | def update(self, key, value):
"""Updates a value of a given key and apply reduction"""
if key not in self.value:
self.value[key] = ReducedMetric(self.reducer)
self.value[key].update(value) | [
"Updates",
"a",
"value",
"of",
"a",
"given",
"key",
"and",
"apply",
"reduction"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/metrics.py#L133-L138 | [
"def",
"update",
"(",
"self",
",",
"key",
",",
"value",
")",
":",
"if",
"key",
"not",
"in",
"self",
".",
"value",
":",
"self",
".",
"value",
"[",
"key",
"]",
"=",
"ReducedMetric",
"(",
"self",
".",
"reducer",
")",
"self",
".",
"value",
"[",
"key"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | MultiReducedMetric.add_key | Adds a new key to this metric | heronpy/api/metrics.py | def add_key(self, key):
"""Adds a new key to this metric"""
if key not in self.value:
self.value[key] = ReducedMetric(self.reducer) | def add_key(self, key):
"""Adds a new key to this metric"""
if key not in self.value:
self.value[key] = ReducedMetric(self.reducer) | [
"Adds",
"a",
"new",
"key",
"to",
"this",
"metric"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heronpy/api/metrics.py#L140-L143 | [
"def",
"add_key",
"(",
"self",
",",
"key",
")",
":",
"if",
"key",
"not",
"in",
"self",
".",
"value",
":",
"self",
".",
"value",
"[",
"key",
"]",
"=",
"ReducedMetric",
"(",
"self",
".",
"reducer",
")"
] | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | OutgoingTupleHelper.add_data_tuple | Add a new data tuple to the currently buffered set of tuples | heron/instance/src/python/utils/misc/outgoing_tuple_helper.py | def add_data_tuple(self, stream_id, new_data_tuple, tuple_size_in_bytes):
"""Add a new data tuple to the currently buffered set of tuples"""
if (self.current_data_tuple_set is None) or \
(self.current_data_tuple_set.stream.id != stream_id) or \
(len(self.current_data_tuple_set.tuples) >= self.data_tuple_set_capacity) or \
(self.current_data_tuple_size_in_bytes >= self.max_data_tuple_size_in_bytes):
self._init_new_data_tuple(stream_id)
added_tuple = self.current_data_tuple_set.tuples.add()
added_tuple.CopyFrom(new_data_tuple)
self.current_data_tuple_size_in_bytes += tuple_size_in_bytes
self.total_data_emitted_in_bytes += tuple_size_in_bytes | def add_data_tuple(self, stream_id, new_data_tuple, tuple_size_in_bytes):
"""Add a new data tuple to the currently buffered set of tuples"""
if (self.current_data_tuple_set is None) or \
(self.current_data_tuple_set.stream.id != stream_id) or \
(len(self.current_data_tuple_set.tuples) >= self.data_tuple_set_capacity) or \
(self.current_data_tuple_size_in_bytes >= self.max_data_tuple_size_in_bytes):
self._init_new_data_tuple(stream_id)
added_tuple = self.current_data_tuple_set.tuples.add()
added_tuple.CopyFrom(new_data_tuple)
self.current_data_tuple_size_in_bytes += tuple_size_in_bytes
self.total_data_emitted_in_bytes += tuple_size_in_bytes | [
"Add",
"a",
"new",
"data",
"tuple",
"to",
"the",
"currently",
"buffered",
"set",
"of",
"tuples"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/misc/outgoing_tuple_helper.py#L74-L86 | [
"def",
"add_data_tuple",
"(",
"self",
",",
"stream_id",
",",
"new_data_tuple",
",",
"tuple_size_in_bytes",
")",
":",
"if",
"(",
"self",
".",
"current_data_tuple_set",
"is",
"None",
")",
"or",
"(",
"self",
".",
"current_data_tuple_set",
".",
"stream",
".",
"id"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | OutgoingTupleHelper.add_control_tuple | Add a new control (Ack/Fail) tuple to the currently buffered set of tuples
:param is_ack: ``True`` if Ack, ``False`` if Fail | heron/instance/src/python/utils/misc/outgoing_tuple_helper.py | def add_control_tuple(self, new_control_tuple, tuple_size_in_bytes, is_ack):
"""Add a new control (Ack/Fail) tuple to the currently buffered set of tuples
:param is_ack: ``True`` if Ack, ``False`` if Fail
"""
if self.current_control_tuple_set is None:
self._init_new_control_tuple()
elif is_ack and (len(self.current_control_tuple_set.fails) > 0 or
len(self.current_control_tuple_set.acks) >= self.control_tuple_set_capacity):
self._init_new_control_tuple()
elif not is_ack and \
(len(self.current_control_tuple_set.acks) > 0 or
len(self.current_control_tuple_set.fails) >= self.control_tuple_set_capacity):
self._init_new_control_tuple()
if is_ack:
added_tuple = self.current_control_tuple_set.acks.add()
else:
added_tuple = self.current_control_tuple_set.fails.add()
added_tuple.CopyFrom(new_control_tuple)
self.total_data_emitted_in_bytes += tuple_size_in_bytes | def add_control_tuple(self, new_control_tuple, tuple_size_in_bytes, is_ack):
"""Add a new control (Ack/Fail) tuple to the currently buffered set of tuples
:param is_ack: ``True`` if Ack, ``False`` if Fail
"""
if self.current_control_tuple_set is None:
self._init_new_control_tuple()
elif is_ack and (len(self.current_control_tuple_set.fails) > 0 or
len(self.current_control_tuple_set.acks) >= self.control_tuple_set_capacity):
self._init_new_control_tuple()
elif not is_ack and \
(len(self.current_control_tuple_set.acks) > 0 or
len(self.current_control_tuple_set.fails) >= self.control_tuple_set_capacity):
self._init_new_control_tuple()
if is_ack:
added_tuple = self.current_control_tuple_set.acks.add()
else:
added_tuple = self.current_control_tuple_set.fails.add()
added_tuple.CopyFrom(new_control_tuple)
self.total_data_emitted_in_bytes += tuple_size_in_bytes | [
"Add",
"a",
"new",
"control",
"(",
"Ack",
"/",
"Fail",
")",
"tuple",
"to",
"the",
"currently",
"buffered",
"set",
"of",
"tuples"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/misc/outgoing_tuple_helper.py#L88-L110 | [
"def",
"add_control_tuple",
"(",
"self",
",",
"new_control_tuple",
",",
"tuple_size_in_bytes",
",",
"is_ack",
")",
":",
"if",
"self",
".",
"current_control_tuple_set",
"is",
"None",
":",
"self",
".",
"_init_new_control_tuple",
"(",
")",
"elif",
"is_ack",
"and",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | OutgoingTupleHelper.add_ckpt_state | Add the checkpoint state message to be sent back the stmgr
:param ckpt_id: The id of the checkpoint
:ckpt_state: The checkpoint state | heron/instance/src/python/utils/misc/outgoing_tuple_helper.py | def add_ckpt_state(self, ckpt_id, ckpt_state):
"""Add the checkpoint state message to be sent back the stmgr
:param ckpt_id: The id of the checkpoint
:ckpt_state: The checkpoint state
"""
# first flush any buffered tuples
self._flush_remaining()
msg = ckptmgr_pb2.StoreInstanceStateCheckpoint()
istate = ckptmgr_pb2.InstanceStateCheckpoint()
istate.checkpoint_id = ckpt_id
istate.state = ckpt_state
msg.state.CopyFrom(istate)
self._push_tuple_to_stream(msg) | def add_ckpt_state(self, ckpt_id, ckpt_state):
"""Add the checkpoint state message to be sent back the stmgr
:param ckpt_id: The id of the checkpoint
:ckpt_state: The checkpoint state
"""
# first flush any buffered tuples
self._flush_remaining()
msg = ckptmgr_pb2.StoreInstanceStateCheckpoint()
istate = ckptmgr_pb2.InstanceStateCheckpoint()
istate.checkpoint_id = ckpt_id
istate.state = ckpt_state
msg.state.CopyFrom(istate)
self._push_tuple_to_stream(msg) | [
"Add",
"the",
"checkpoint",
"state",
"message",
"to",
"be",
"sent",
"back",
"the",
"stmgr"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/instance/src/python/utils/misc/outgoing_tuple_helper.py#L112-L125 | [
"def",
"add_ckpt_state",
"(",
"self",
",",
"ckpt_id",
",",
"ckpt_state",
")",
":",
"# first flush any buffered tuples",
"self",
".",
"_flush_remaining",
"(",
")",
"msg",
"=",
"ckptmgr_pb2",
".",
"StoreInstanceStateCheckpoint",
"(",
")",
"istate",
"=",
"ckptmgr_pb2",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | create_parser | :param subparsers:
:return: | heron/tools/cli/src/python/config.py | def create_parser(subparsers):
'''
:param subparsers:
:return:
'''
parser = subparsers.add_parser(
'config',
help='Config properties for a cluster',
usage="%(prog)s [cluster]",
add_help=True)
parser.add_argument(
'cluster',
help='Cluster to configure'
)
ex_subparsers = parser.add_subparsers(
title="Commands",
description=None)
# add config list parser
list_parser = ex_subparsers.add_parser(
'list',
help='List config properties for a cluster',
usage="%(prog)s",
add_help=True)
list_parser.set_defaults(configcommand='list')
# add config set parser
set_parser = ex_subparsers.add_parser(
'set',
help='Set a cluster config property',
usage="%(prog)s [property] [value]",
add_help=True)
set_parser.add_argument(
'property',
help='Config property to set'
)
set_parser.add_argument(
'value',
help='Value of config property'
)
set_parser.set_defaults(configcommand='set')
# add config unset parser
unset_parser = ex_subparsers.add_parser(
'unset',
help='Unset a cluster config property',
usage="%(prog)s [property]",
add_help=True)
unset_parser.add_argument(
'property',
help='Config property to unset'
)
unset_parser.set_defaults(configcommand='unset')
parser.set_defaults(subcommand='config')
return parser | def create_parser(subparsers):
'''
:param subparsers:
:return:
'''
parser = subparsers.add_parser(
'config',
help='Config properties for a cluster',
usage="%(prog)s [cluster]",
add_help=True)
parser.add_argument(
'cluster',
help='Cluster to configure'
)
ex_subparsers = parser.add_subparsers(
title="Commands",
description=None)
# add config list parser
list_parser = ex_subparsers.add_parser(
'list',
help='List config properties for a cluster',
usage="%(prog)s",
add_help=True)
list_parser.set_defaults(configcommand='list')
# add config set parser
set_parser = ex_subparsers.add_parser(
'set',
help='Set a cluster config property',
usage="%(prog)s [property] [value]",
add_help=True)
set_parser.add_argument(
'property',
help='Config property to set'
)
set_parser.add_argument(
'value',
help='Value of config property'
)
set_parser.set_defaults(configcommand='set')
# add config unset parser
unset_parser = ex_subparsers.add_parser(
'unset',
help='Unset a cluster config property',
usage="%(prog)s [property]",
add_help=True)
unset_parser.add_argument(
'property',
help='Config property to unset'
)
unset_parser.set_defaults(configcommand='unset')
parser.set_defaults(subcommand='config')
return parser | [
":",
"param",
"subparsers",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/config.py#L26-L86 | [
"def",
"create_parser",
"(",
"subparsers",
")",
":",
"parser",
"=",
"subparsers",
".",
"add_parser",
"(",
"'config'",
",",
"help",
"=",
"'Config properties for a cluster'",
",",
"usage",
"=",
"\"%(prog)s [cluster]\"",
",",
"add_help",
"=",
"True",
")",
"parser",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | run | :param command:
:param parser:
:param args:
:param unknown_args:
:return: | heron/tools/cli/src/python/config.py | def run(command, parser, cl_args, unknown_args):
'''
:param command:
:param parser:
:param args:
:param unknown_args:
:return:
'''
configcommand = cl_args.get('configcommand', None)
if configcommand == 'set':
return _set(cl_args)
elif configcommand == 'unset':
return _unset(cl_args)
else:
return _list(cl_args) | def run(command, parser, cl_args, unknown_args):
'''
:param command:
:param parser:
:param args:
:param unknown_args:
:return:
'''
configcommand = cl_args.get('configcommand', None)
if configcommand == 'set':
return _set(cl_args)
elif configcommand == 'unset':
return _unset(cl_args)
else:
return _list(cl_args) | [
":",
"param",
"command",
":",
":",
"param",
"parser",
":",
":",
"param",
"args",
":",
":",
"param",
"unknown_args",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/cli/src/python/config.py#L126-L140 | [
"def",
"run",
"(",
"command",
",",
"parser",
",",
"cl_args",
",",
"unknown_args",
")",
":",
"configcommand",
"=",
"cl_args",
".",
"get",
"(",
"'configcommand'",
",",
"None",
")",
"if",
"configcommand",
"==",
"'set'",
":",
"return",
"_set",
"(",
"cl_args",
... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | valid_path | Check if an entry in the class path exists as either a directory or a file | heron/tools/common/src/python/utils/classpath.py | def valid_path(path):
'''
Check if an entry in the class path exists as either a directory or a file
'''
# check if the suffic of classpath suffix exists as directory
if path.endswith('*'):
Log.debug('Checking classpath entry suffix as directory: %s', path[:-1])
if os.path.isdir(path[:-1]):
return True
return False
# check if the classpath entry is a directory
Log.debug('Checking classpath entry as directory: %s', path)
if os.path.isdir(path):
return True
else:
# check if the classpath entry is a file
Log.debug('Checking classpath entry as file: %s', path)
if os.path.isfile(path):
return True
return False | def valid_path(path):
'''
Check if an entry in the class path exists as either a directory or a file
'''
# check if the suffic of classpath suffix exists as directory
if path.endswith('*'):
Log.debug('Checking classpath entry suffix as directory: %s', path[:-1])
if os.path.isdir(path[:-1]):
return True
return False
# check if the classpath entry is a directory
Log.debug('Checking classpath entry as directory: %s', path)
if os.path.isdir(path):
return True
else:
# check if the classpath entry is a file
Log.debug('Checking classpath entry as file: %s', path)
if os.path.isfile(path):
return True
return False | [
"Check",
"if",
"an",
"entry",
"in",
"the",
"class",
"path",
"exists",
"as",
"either",
"a",
"directory",
"or",
"a",
"file"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/common/src/python/utils/classpath.py#L27-L48 | [
"def",
"valid_path",
"(",
"path",
")",
":",
"# check if the suffic of classpath suffix exists as directory",
"if",
"path",
".",
"endswith",
"(",
"'*'",
")",
":",
"Log",
".",
"debug",
"(",
"'Checking classpath entry suffix as directory: %s'",
",",
"path",
"[",
":",
"-"... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | valid_java_classpath | Given a java classpath, check whether the path entries are valid or not | heron/tools/common/src/python/utils/classpath.py | def valid_java_classpath(classpath):
'''
Given a java classpath, check whether the path entries are valid or not
'''
paths = classpath.split(':')
for path_entry in paths:
if not valid_path(path_entry.strip()):
return False
return True | def valid_java_classpath(classpath):
'''
Given a java classpath, check whether the path entries are valid or not
'''
paths = classpath.split(':')
for path_entry in paths:
if not valid_path(path_entry.strip()):
return False
return True | [
"Given",
"a",
"java",
"classpath",
"check",
"whether",
"the",
"path",
"entries",
"are",
"valid",
"or",
"not"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/common/src/python/utils/classpath.py#L51-L59 | [
"def",
"valid_java_classpath",
"(",
"classpath",
")",
":",
"paths",
"=",
"classpath",
".",
"split",
"(",
"':'",
")",
"for",
"path_entry",
"in",
"paths",
":",
"if",
"not",
"valid_path",
"(",
"path_entry",
".",
"strip",
"(",
")",
")",
":",
"return",
"False... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Graph.add_edge | :param U:
:param V:
:return: | heron/tools/tracker/src/python/graph.py | def add_edge(self, U, V):
'''
:param U:
:param V:
:return:
'''
if not U in self.edges:
self.edges[U] = set()
if not V in self.edges:
self.edges[V] = set()
if not V in self.edges[U]:
self.edges[U].add(V) | def add_edge(self, U, V):
'''
:param U:
:param V:
:return:
'''
if not U in self.edges:
self.edges[U] = set()
if not V in self.edges:
self.edges[V] = set()
if not V in self.edges[U]:
self.edges[U].add(V) | [
":",
"param",
"U",
":",
":",
"param",
"V",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/graph.py#L36-L47 | [
"def",
"add_edge",
"(",
"self",
",",
"U",
",",
"V",
")",
":",
"if",
"not",
"U",
"in",
"self",
".",
"edges",
":",
"self",
".",
"edges",
"[",
"U",
"]",
"=",
"set",
"(",
")",
"if",
"not",
"V",
"in",
"self",
".",
"edges",
":",
"self",
".",
"edg... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Graph.bfs_depth | Returns the maximum distance between any vertex and U in the connected
component containing U
:param U:
:return: | heron/tools/tracker/src/python/graph.py | def bfs_depth(self, U):
'''
Returns the maximum distance between any vertex and U in the connected
component containing U
:param U:
:return:
'''
bfs_queue = [[U, 0]] # Stores the vertices whose BFS hadn't been completed.
visited = set()
max_depth = 0
while bfs_queue:
[V, depth] = bfs_queue.pop()
if max_depth < depth:
max_depth = depth
visited.add(V)
adj_set = self.edges[V]
for W in adj_set:
if W not in visited:
bfs_queue.append([W, depth + 1])
return max_depth | def bfs_depth(self, U):
'''
Returns the maximum distance between any vertex and U in the connected
component containing U
:param U:
:return:
'''
bfs_queue = [[U, 0]] # Stores the vertices whose BFS hadn't been completed.
visited = set()
max_depth = 0
while bfs_queue:
[V, depth] = bfs_queue.pop()
if max_depth < depth:
max_depth = depth
visited.add(V)
adj_set = self.edges[V]
for W in adj_set:
if W not in visited:
bfs_queue.append([W, depth + 1])
return max_depth | [
"Returns",
"the",
"maximum",
"distance",
"between",
"any",
"vertex",
"and",
"U",
"in",
"the",
"connected",
"component",
"containing",
"U",
":",
"param",
"U",
":",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/graph.py#L52-L71 | [
"def",
"bfs_depth",
"(",
"self",
",",
"U",
")",
":",
"bfs_queue",
"=",
"[",
"[",
"U",
",",
"0",
"]",
"]",
"# Stores the vertices whose BFS hadn't been completed.",
"visited",
"=",
"set",
"(",
")",
"max_depth",
"=",
"0",
"while",
"bfs_queue",
":",
"[",
"V",... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | Graph.diameter | Returns the maximum distance between any vertex and U in the connected
component containing U
:return: | heron/tools/tracker/src/python/graph.py | def diameter(self):
'''
Returns the maximum distance between any vertex and U in the connected
component containing U
:return:
'''
diameter = 0
for U in self.edges:
depth = self.bfs_depth(U)
if depth > diameter:
diameter = depth
return diameter | def diameter(self):
'''
Returns the maximum distance between any vertex and U in the connected
component containing U
:return:
'''
diameter = 0
for U in self.edges:
depth = self.bfs_depth(U)
if depth > diameter:
diameter = depth
return diameter | [
"Returns",
"the",
"maximum",
"distance",
"between",
"any",
"vertex",
"and",
"U",
"in",
"the",
"connected",
"component",
"containing",
"U",
":",
"return",
":"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/tools/tracker/src/python/graph.py#L73-L84 | [
"def",
"diameter",
"(",
"self",
")",
":",
"diameter",
"=",
"0",
"for",
"U",
"in",
"self",
".",
"edges",
":",
"depth",
"=",
"self",
".",
"bfs_depth",
"(",
"U",
")",
"if",
"depth",
">",
"diameter",
":",
"diameter",
"=",
"depth",
"return",
"diameter"
] | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
valid | _get_deps_list | Get a list of paths to included dependencies in the specified pex file
Note that dependencies are located under `.deps` directory | heron/common/src/python/pex_loader.py | def _get_deps_list(abs_path_to_pex):
"""Get a list of paths to included dependencies in the specified pex file
Note that dependencies are located under `.deps` directory
"""
pex = zipfile.ZipFile(abs_path_to_pex, mode='r')
deps = list(set([re.match(egg_regex, i).group(1) for i in pex.namelist()
if re.match(egg_regex, i) is not None]))
return deps | def _get_deps_list(abs_path_to_pex):
"""Get a list of paths to included dependencies in the specified pex file
Note that dependencies are located under `.deps` directory
"""
pex = zipfile.ZipFile(abs_path_to_pex, mode='r')
deps = list(set([re.match(egg_regex, i).group(1) for i in pex.namelist()
if re.match(egg_regex, i) is not None]))
return deps | [
"Get",
"a",
"list",
"of",
"paths",
"to",
"included",
"dependencies",
"in",
"the",
"specified",
"pex",
"file"
] | apache/incubator-heron | python | https://github.com/apache/incubator-heron/blob/ad10325a0febe89ad337e561ebcbe37ec5d9a5ac/heron/common/src/python/pex_loader.py#L33-L41 | [
"def",
"_get_deps_list",
"(",
"abs_path_to_pex",
")",
":",
"pex",
"=",
"zipfile",
".",
"ZipFile",
"(",
"abs_path_to_pex",
",",
"mode",
"=",
"'r'",
")",
"deps",
"=",
"list",
"(",
"set",
"(",
"[",
"re",
".",
"match",
"(",
"egg_regex",
",",
"i",
")",
".... | ad10325a0febe89ad337e561ebcbe37ec5d9a5ac |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.