content stringlengths 7 1.05M | fixed_cases stringlengths 1 1.28M |
|---|---|
def extended_gcd(a, b):
if a == 0:
return (b, 0, 1)
g, y, x = extended_gcd(b % a, a)
return (g, x - (b // a) * y, y)
def modinv(a, m):
g, x, y = extended_gcd(a % m, m)
if g != 1:
raise Exception('Element has no inverse')
return x % m
| def extended_gcd(a, b):
if a == 0:
return (b, 0, 1)
(g, y, x) = extended_gcd(b % a, a)
return (g, x - b // a * y, y)
def modinv(a, m):
(g, x, y) = extended_gcd(a % m, m)
if g != 1:
raise exception('Element has no inverse')
return x % m |
def balanced(text: str):
stack = []
is_balanced = True
for i in range(len(text)):
if text[i] in "{[(":
stack.append(i)
elif text[i] in ")]}" and len(stack) > 0:
start_ind = stack.pop()
if text[start_ind] == "{":
if text[i] != "}":
is_balanced = False
break
elif text[start_ind] == "[":
if text[i] != "]":
is_balanced = False
break
elif text[start_ind] == "(":
if text[i] != ")":
is_balanced = False
break
else:
is_balanced = False
break
else:
is_balanced = False
break
if is_balanced and len(text) > 0 and len(stack) == 0:
print("YES")
else:
print("NO")
balanced(text=input())
| def balanced(text: str):
stack = []
is_balanced = True
for i in range(len(text)):
if text[i] in '{[(':
stack.append(i)
elif text[i] in ')]}' and len(stack) > 0:
start_ind = stack.pop()
if text[start_ind] == '{':
if text[i] != '}':
is_balanced = False
break
elif text[start_ind] == '[':
if text[i] != ']':
is_balanced = False
break
elif text[start_ind] == '(':
if text[i] != ')':
is_balanced = False
break
else:
is_balanced = False
break
else:
is_balanced = False
break
if is_balanced and len(text) > 0 and (len(stack) == 0):
print('YES')
else:
print('NO')
balanced(text=input()) |
def round_scores(student_scores):
'''
:param student_scores: list of student exam scores as float or int.
:return: list of student scores *rounded* to nearest integer value.
'''
rounded = []
while student_scores:
rounded.append(round(student_scores.pop()))
return rounded
def count_failed_students(student_scores):
'''
:param student_scores: list of integer student scores.
:return: integer count of student scores at or below 40.
'''
non_passing = 0
for score in student_scores:
if score <= 40:
non_passing += 1
return non_passing
def above_threshold(student_scores, threshold):
'''
:param student_scores: list of integer scores
:param threshold : integer
:return: list of integer scores that are at or above the "best" threshold.
'''
above = []
for score in student_scores:
if score >= threshold:
above.append(score)
return above
def letter_grades(highest):
'''
:param highest: integer of highest exam score.
:return: list of integer score thresholds for each F-A letter grades.
'''
increment = round((highest - 40)/4)
scores = []
for score in range(41, highest, increment):
scores.append(score)
return scores
def student_ranking(student_scores, student_names):
'''
:param student_scores: list of scores in descending order.
:param student_names: list of names in descending order by exam score.
:return: list of strings in format ["<rank>. <student name>: <score>"].
'''
results = []
for index, name in enumerate(student_names):
rank_string = str(index + 1) + ". " + name + ": " + str(student_scores[index])
results.append(rank_string)
return results
def perfect_score(student_info):
'''
:param student_info: list of [<student name>, <score>] lists
:return: First [<student name>, 100] found OR "No perfect score."
'''
result = "No perfect score."
for item in student_info:
if item[1] == 100:
result = item
break
return result
| def round_scores(student_scores):
"""
:param student_scores: list of student exam scores as float or int.
:return: list of student scores *rounded* to nearest integer value.
"""
rounded = []
while student_scores:
rounded.append(round(student_scores.pop()))
return rounded
def count_failed_students(student_scores):
"""
:param student_scores: list of integer student scores.
:return: integer count of student scores at or below 40.
"""
non_passing = 0
for score in student_scores:
if score <= 40:
non_passing += 1
return non_passing
def above_threshold(student_scores, threshold):
"""
:param student_scores: list of integer scores
:param threshold : integer
:return: list of integer scores that are at or above the "best" threshold.
"""
above = []
for score in student_scores:
if score >= threshold:
above.append(score)
return above
def letter_grades(highest):
"""
:param highest: integer of highest exam score.
:return: list of integer score thresholds for each F-A letter grades.
"""
increment = round((highest - 40) / 4)
scores = []
for score in range(41, highest, increment):
scores.append(score)
return scores
def student_ranking(student_scores, student_names):
"""
:param student_scores: list of scores in descending order.
:param student_names: list of names in descending order by exam score.
:return: list of strings in format ["<rank>. <student name>: <score>"].
"""
results = []
for (index, name) in enumerate(student_names):
rank_string = str(index + 1) + '. ' + name + ': ' + str(student_scores[index])
results.append(rank_string)
return results
def perfect_score(student_info):
"""
:param student_info: list of [<student name>, <score>] lists
:return: First [<student name>, 100] found OR "No perfect score."
"""
result = 'No perfect score.'
for item in student_info:
if item[1] == 100:
result = item
break
return result |
def is_prime(n):
if n % 2 == 0:
return n == 2
d = 3
while d * d <= n and n % d != 0:
d += 2
return d * d > n
def main():
n = int(input("Input the number from 0 to 1000: "))
print(is_prime(n))
if __name__ == '__main__':
main()
| def is_prime(n):
if n % 2 == 0:
return n == 2
d = 3
while d * d <= n and n % d != 0:
d += 2
return d * d > n
def main():
n = int(input('Input the number from 0 to 1000: '))
print(is_prime(n))
if __name__ == '__main__':
main() |
class Node:
def __init__(self, value = 0):
self.value = value
self.next = None
def findList(first, second):
if not first and not second:
return True
if not first or not second:
return False
ptr1 = first
ptr2 = second
while ptr2:
ptr2 = second
while ptr1:
if not ptr2:
return False
elif ptr1.value == ptr2.value:
ptr1 = ptr1.next
ptr2 = ptr2.next
else:
break
if not ptr1:
return True
ptr1 = first
second = second.next
return False
node_a = Node(1)
node_a.next = Node(2)
node_a.next.next = Node(3)
node_a.next.next.next = Node(4)
node_b = Node(1)
node_b.next = Node(2)
node_b.next.next = Node(1)
node_b.next.next.next = Node(2)
node_b.next.next.next.next = Node(3)
node_b.next.next.next.next.next = Node(4)
if findList(node_a, node_b):
print("LIST FOUND")
else:
print("LIST NOT FOUND")
| class Node:
def __init__(self, value=0):
self.value = value
self.next = None
def find_list(first, second):
if not first and (not second):
return True
if not first or not second:
return False
ptr1 = first
ptr2 = second
while ptr2:
ptr2 = second
while ptr1:
if not ptr2:
return False
elif ptr1.value == ptr2.value:
ptr1 = ptr1.next
ptr2 = ptr2.next
else:
break
if not ptr1:
return True
ptr1 = first
second = second.next
return False
node_a = node(1)
node_a.next = node(2)
node_a.next.next = node(3)
node_a.next.next.next = node(4)
node_b = node(1)
node_b.next = node(2)
node_b.next.next = node(1)
node_b.next.next.next = node(2)
node_b.next.next.next.next = node(3)
node_b.next.next.next.next.next = node(4)
if find_list(node_a, node_b):
print('LIST FOUND')
else:
print('LIST NOT FOUND') |
def sequencia():
s = 0
for i in range(1, 101):
s += 1/i
print(f'{s:.2f}')
sequencia()
| def sequencia():
s = 0
for i in range(1, 101):
s += 1 / i
print(f'{s:.2f}')
sequencia() |
def main_menu():
print("Please select an option from the following:")
print(" [1] Customer") #add to db
print(" [2] Order")# add to db
print(" [3] Complete Order")
print(" [4] Cancel Order")
print(" [5] Exit")
def sign_up_menu():
print("Please select an option from the following:")
print(" [1] Scan Code") #add to db
print(" [2] return to previous menu")# add to db | def main_menu():
print('Please select an option from the following:')
print(' [1] Customer')
print(' [2] Order')
print(' [3] Complete Order')
print(' [4] Cancel Order')
print(' [5] Exit')
def sign_up_menu():
print('Please select an option from the following:')
print(' [1] Scan Code')
print(' [2] return to previous menu') |
x = float(input('x = '))
if x > 1:
y = 3 * x - 5
elif x >= -1:
y = x + 2
else:
y = 5 * x + 3
print('f(%.2f) = %.2f' % (x, y))
print(range(10))
| x = float(input('x = '))
if x > 1:
y = 3 * x - 5
elif x >= -1:
y = x + 2
else:
y = 5 * x + 3
print('f(%.2f) = %.2f' % (x, y))
print(range(10)) |
def selectionsort(arr):
N = len(arr)
for i in range(N):
minimum = i
for j in range(1, N):
if arr[j] < arr[minimum]:
minimum = j
arr[minimum], arr[i] = arr[i], arr[minimum]
return arr
if __name__ == "__main__":
arr = [0, 4, 5, 6, 7, 8, 2, 1, 5, 3, 9]
print(selectionsort(arr))
| def selectionsort(arr):
n = len(arr)
for i in range(N):
minimum = i
for j in range(1, N):
if arr[j] < arr[minimum]:
minimum = j
(arr[minimum], arr[i]) = (arr[i], arr[minimum])
return arr
if __name__ == '__main__':
arr = [0, 4, 5, 6, 7, 8, 2, 1, 5, 3, 9]
print(selectionsort(arr)) |
class Person:
def __init__(self, name, age):
self.x__name = name
self.age = age
def info(self):
return f'Name: {self.x__name}, Age: {self.age}'
def __generate_key(self, key):
if key.startswith('x__'):
return f'x__Person{key}'
return key
def __setattr__(self, key, value):
super().__setattr__(self.__generate_key(key), value)
def __getattr__(self, item):
return super().__getattribute__(self.__generate_key(item))
p = Person('Gosho', 11)
print(p.__dict__)
print(p.info())
#
# print(hasattr(p, 'name'))
# print(hasattr(p, 'name2'))
#
# while True:
# attr_name = input()
# attr = getattr(p, attr_name, -7)
# if hasattr(attr, '__call__'):
# print(attr())
# else:
# print(attr)
| class Person:
def __init__(self, name, age):
self.x__name = name
self.age = age
def info(self):
return f'Name: {self.x__name}, Age: {self.age}'
def __generate_key(self, key):
if key.startswith('x__'):
return f'x__Person{key}'
return key
def __setattr__(self, key, value):
super().__setattr__(self.__generate_key(key), value)
def __getattr__(self, item):
return super().__getattribute__(self.__generate_key(item))
p = person('Gosho', 11)
print(p.__dict__)
print(p.info()) |
useragents = [
"Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.1 Safari/537.36",
"Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2226.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.4; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2225.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2225.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2224.3 Safari/537.36",
"Mozilla/5.0 (Windows NT 10.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/40.0.2214.93 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2062.124 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.3; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2049.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 4.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2049.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.67 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.67 Safari/537.36",
"Mozilla/5.0 (X11; OpenBSD i386) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.125 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1944.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.3319.102 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.2309.372 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.2117.157 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.1916.47 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1866.237 Safari/537.36",
"Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.137 Safari/4E423F",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.116 Safari/537.36 Mozilla/5.0 (iPad; U; CPU OS 3_2 like Mac OS X; en-us) AppleWebKit/531.21.10 (KHTML, like Gecko) Version/4.0.4 Mobile/7B334b Safari/531.21.10",
"Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/33.0.1750.517 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1667.0 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1664.3 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1664.3 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/31.0.1650.16 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/31.0.1623.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/30.0.1599.17 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.62 Safari/537.36",
"Mozilla/5.0 (X11; CrOS i686 4319.74.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.57 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.2 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1468.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1467.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1464.0 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1500.55 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_7_5) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.90 Safari/537.36",
"Mozilla/5.0 (X11; NetBSD) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.116 Safari/537.36",
"Mozilla/5.0 (X11; CrOS i686 3912.101.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.116 Safari/537.36",
"Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.17 (KHTML, like Gecko) Chrome/24.0.1312.60 Safari/537.17",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_2) AppleWebKit/537.17 (KHTML, like Gecko) Chrome/24.0.1309.0 Safari/537.17",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.15 (KHTML, like Gecko) Chrome/24.0.1295.0 Safari/537.15",
"Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.14 (KHTML, like Gecko) Chrome/24.0.1292.0 Safari/537.14"
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:40.0) Gecko/20100101 Firefox/40.1",
"Mozilla/5.0 (Windows NT 6.3; rv:36.0) Gecko/20100101 Firefox/36.0",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10; rv:33.0) Gecko/20100101 Firefox/33.0",
"Mozilla/5.0 (X11; Linux i586; rv:31.0) Gecko/20100101 Firefox/31.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:31.0) Gecko/20130401 Firefox/31.0",
"Mozilla/5.0 (Windows NT 5.1; rv:31.0) Gecko/20100101 Firefox/31.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:29.0) Gecko/20120101 Firefox/29.0",
"Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:25.0) Gecko/20100101 Firefox/29.0",
"Mozilla/5.0 (X11; OpenBSD amd64; rv:28.0) Gecko/20100101 Firefox/28.0",
"Mozilla/5.0 (X11; Linux x86_64; rv:28.0) Gecko/20100101 Firefox/28.0",
"Mozilla/5.0 (Windows NT 6.1; rv:27.3) Gecko/20130101 Firefox/27.3",
"Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:27.0) Gecko/20121011 Firefox/27.0",
"Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:25.0) Gecko/20100101 Firefox/25.0",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10.6; rv:25.0) Gecko/20100101 Firefox/25.0",
"Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:24.0) Gecko/20100101 Firefox/24.0",
"Mozilla/5.0 (Windows NT 6.0; WOW64; rv:24.0) Gecko/20100101 Firefox/24.0",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10.8; rv:24.0) Gecko/20100101 Firefox/24.0",
"Mozilla/5.0 (Windows NT 6.2; rv:22.0) Gecko/20130405 Firefox/23.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:23.0) Gecko/20130406 Firefox/23.0",
"Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:23.0) Gecko/20131011 Firefox/23.0",
"Mozilla/5.0 (Windows NT 6.2; rv:22.0) Gecko/20130405 Firefox/22.0",
"Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:22.0) Gecko/20130328 Firefox/22.0",
"Mozilla/5.0 (Windows NT 6.1; rv:22.0) Gecko/20130405 Firefox/22.0",
"Mozilla/5.0 (Microsoft Windows NT 6.2.9200.0); rv:22.0) Gecko/20130405 Firefox/22.0",
"Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:16.0.1) Gecko/20121011 Firefox/21.0.1",
"Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:16.0.1) Gecko/20121011 Firefox/21.0.1",
"Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:21.0.0) Gecko/20121011 Firefox/21.0.0",
"Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:21.0) Gecko/20130331 Firefox/21.0",
"Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (X11; Linux i686; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.2; WOW64; rv:21.0) Gecko/20130514 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.2; rv:21.0) Gecko/20130326 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130401 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130331 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130330 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20130401 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20130328 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20130401 Firefox/21.0",
"Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20130331 Firefox/21.0",
"Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Windows NT 5.0; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Macintosh; Intel Mac OS X 10.8; rv:21.0) Gecko/20100101 Firefox/21.0",
"Mozilla/5.0 (Windows NT 6.2; Win64; x64;) Gecko/20100101 Firefox/20.0",
"Mozilla/5.0 (Windows x86; rv:19.0) Gecko/20100101 Firefox/19.0",
"Mozilla/5.0 (Windows NT 6.1; rv:6.0) Gecko/20100101 Firefox/19.0",
"Mozilla/5.0 (Windows NT 6.1; rv:14.0) Gecko/20100101 Firefox/18.0.1",
"Mozilla/5.0 (Windows NT 6.1; WOW64; rv:18.0) Gecko/20100101 Firefox/18.0",
"Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:17.0) Gecko/20100101 Firefox/17.0.6"
]
| useragents = ['Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2228.0 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.1 Safari/537.36', 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2227.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2226.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.4; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2225.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.3; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2225.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/41.0.2224.3 Safari/537.36', 'Mozilla/5.0 (Windows NT 10.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/40.0.2214.93 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10_1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2062.124 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.3; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2049.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 4.0; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/37.0.2049.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.67 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.67 Safari/537.36', 'Mozilla/5.0 (X11; OpenBSD i386) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1985.125 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/36.0.1944.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.3319.102 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.2309.372 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.2117.157 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/35.0.1916.47 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1866.237 Safari/537.36', 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.137 Safari/4E423F', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/34.0.1847.116 Safari/537.36 Mozilla/5.0 (iPad; U; CPU OS 3_2 like Mac OS X; en-us) AppleWebKit/531.21.10 (KHTML, like Gecko) Version/4.0.4 Mobile/7B334b Safari/531.21.10', 'Mozilla/5.0 (X11; Linux x86_64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/33.0.1750.517 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1667.0 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_9_0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1664.3 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/32.0.1664.3 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/31.0.1650.16 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/31.0.1623.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/30.0.1599.17 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.62 Safari/537.36', 'Mozilla/5.0 (X11; CrOS i686 4319.74.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.57 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/29.0.1547.2 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1468.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1467.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/28.0.1464.0 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1500.55 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Windows NT 5.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_3) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_7_5) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.93 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.90 Safari/537.36', 'Mozilla/5.0 (X11; NetBSD) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.116 Safari/537.36', 'Mozilla/5.0 (X11; CrOS i686 3912.101.0) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/27.0.1453.116 Safari/537.36', 'Mozilla/5.0 (Windows NT 6.1; WOW64) AppleWebKit/537.17 (KHTML, like Gecko) Chrome/24.0.1312.60 Safari/537.17', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_8_2) AppleWebKit/537.17 (KHTML, like Gecko) Chrome/24.0.1309.0 Safari/537.17', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.15 (KHTML, like Gecko) Chrome/24.0.1295.0 Safari/537.15', 'Mozilla/5.0 (Windows NT 6.2; WOW64) AppleWebKit/537.14 (KHTML, like Gecko) Chrome/24.0.1292.0 Safari/537.14Mozilla/5.0 (Windows NT 6.1; WOW64; rv:40.0) Gecko/20100101 Firefox/40.1', 'Mozilla/5.0 (Windows NT 6.3; rv:36.0) Gecko/20100101 Firefox/36.0', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10_10; rv:33.0) Gecko/20100101 Firefox/33.0', 'Mozilla/5.0 (X11; Linux i586; rv:31.0) Gecko/20100101 Firefox/31.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:31.0) Gecko/20130401 Firefox/31.0', 'Mozilla/5.0 (Windows NT 5.1; rv:31.0) Gecko/20100101 Firefox/31.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:29.0) Gecko/20120101 Firefox/29.0', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:25.0) Gecko/20100101 Firefox/29.0', 'Mozilla/5.0 (X11; OpenBSD amd64; rv:28.0) Gecko/20100101 Firefox/28.0', 'Mozilla/5.0 (X11; Linux x86_64; rv:28.0) Gecko/20100101 Firefox/28.0', 'Mozilla/5.0 (Windows NT 6.1; rv:27.3) Gecko/20130101 Firefox/27.3', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:27.0) Gecko/20121011 Firefox/27.0', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:25.0) Gecko/20100101 Firefox/25.0', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.6; rv:25.0) Gecko/20100101 Firefox/25.0', 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:24.0) Gecko/20100101 Firefox/24.0', 'Mozilla/5.0 (Windows NT 6.0; WOW64; rv:24.0) Gecko/20100101 Firefox/24.0', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.8; rv:24.0) Gecko/20100101 Firefox/24.0', 'Mozilla/5.0 (Windows NT 6.2; rv:22.0) Gecko/20130405 Firefox/23.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:23.0) Gecko/20130406 Firefox/23.0', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:23.0) Gecko/20131011 Firefox/23.0', 'Mozilla/5.0 (Windows NT 6.2; rv:22.0) Gecko/20130405 Firefox/22.0', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:22.0) Gecko/20130328 Firefox/22.0', 'Mozilla/5.0 (Windows NT 6.1; rv:22.0) Gecko/20130405 Firefox/22.0', 'Mozilla/5.0 (Microsoft Windows NT 6.2.9200.0); rv:22.0) Gecko/20130405 Firefox/22.0', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:16.0.1) Gecko/20121011 Firefox/21.0.1', 'Mozilla/5.0 (Windows NT 6.1; Win64; x64; rv:16.0.1) Gecko/20121011 Firefox/21.0.1', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64; rv:21.0.0) Gecko/20121011 Firefox/21.0.0', 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:21.0) Gecko/20130331 Firefox/21.0', 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (X11; Linux i686; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.2; WOW64; rv:21.0) Gecko/20130514 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.2; rv:21.0) Gecko/20130326 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130401 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130331 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20130330 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20130401 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20130328 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.1; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20130401 Firefox/21.0', 'Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20130331 Firefox/21.0', 'Mozilla/5.0 (Windows NT 5.1; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Windows NT 5.0; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Macintosh; Intel Mac OS X 10.8; rv:21.0) Gecko/20100101 Firefox/21.0', 'Mozilla/5.0 (Windows NT 6.2; Win64; x64;) Gecko/20100101 Firefox/20.0', 'Mozilla/5.0 (Windows x86; rv:19.0) Gecko/20100101 Firefox/19.0', 'Mozilla/5.0 (Windows NT 6.1; rv:6.0) Gecko/20100101 Firefox/19.0', 'Mozilla/5.0 (Windows NT 6.1; rv:14.0) Gecko/20100101 Firefox/18.0.1', 'Mozilla/5.0 (Windows NT 6.1; WOW64; rv:18.0) Gecko/20100101 Firefox/18.0', 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:17.0) Gecko/20100101 Firefox/17.0.6'] |
def exists(env):
return True
def generate(env):
env.Replace(MODE='test')
| def exists(env):
return True
def generate(env):
env.Replace(MODE='test') |
class Solution:
def XXX(self, x: int) -> int:
s = str(x)
s = "-" + s.replace("-","")[::-1] if "-" in s else s[::-1]
return (int(s) if int(s)<2**31-1 and int(s)>-2**31 else 0)
| class Solution:
def xxx(self, x: int) -> int:
s = str(x)
s = '-' + s.replace('-', '')[::-1] if '-' in s else s[::-1]
return int(s) if int(s) < 2 ** 31 - 1 and int(s) > -2 ** 31 else 0 |
# invert a binary tree
def reverse(root):
if not root:
return
root.left, root.right = root.right, root.left
if root.left:
reverse(root.left)
if root.right:
reverse(root.right)
| def reverse(root):
if not root:
return
(root.left, root.right) = (root.right, root.left)
if root.left:
reverse(root.left)
if root.right:
reverse(root.right) |
for _ in range(int(input())):
n = int(input())
l = list(map(int, input().split(' ')))
ans = 0
for i in range(n):
ans += (i + 1) * (n - i)
if l[i] == 0:
ans += (i + 1) * (n - i)
print(ans)
| for _ in range(int(input())):
n = int(input())
l = list(map(int, input().split(' ')))
ans = 0
for i in range(n):
ans += (i + 1) * (n - i)
if l[i] == 0:
ans += (i + 1) * (n - i)
print(ans) |
#-*- coding:utf-8 -*-
age = [3, 2, 30, 1, 16, 18, 19, 20, 22, 25]
name = ['lizi', 'liudehua', 'linjunjie', 'zhoujielun', 'zhangsan', 'bigmom', 'kaiduo', 'luffe']
print(age)
print(sorted(age))
print(age)
age.sort()
print(age)
age.append(33)
print(age)
age.insert(2, 65)
print(age)
age.pop()
print(age)
_del = age.pop()
print(_del)
print(age)
del age[0:2]
print(age)
age.remove(22)
print(age)
print(sorted(name))
print(name)
name.sort()
print(name)
name.sort(reverse=False)
print(age)
name.reverse()
print(name) | age = [3, 2, 30, 1, 16, 18, 19, 20, 22, 25]
name = ['lizi', 'liudehua', 'linjunjie', 'zhoujielun', 'zhangsan', 'bigmom', 'kaiduo', 'luffe']
print(age)
print(sorted(age))
print(age)
age.sort()
print(age)
age.append(33)
print(age)
age.insert(2, 65)
print(age)
age.pop()
print(age)
_del = age.pop()
print(_del)
print(age)
del age[0:2]
print(age)
age.remove(22)
print(age)
print(sorted(name))
print(name)
name.sort()
print(name)
name.sort(reverse=False)
print(age)
name.reverse()
print(name) |
class DatabaseService:
def __init__(self):
#TODO: mongo
pass | class Databaseservice:
def __init__(self):
pass |
class OddNumberException(Exception):
def __init__(self,*args):
self.args = args
class EvenNumberException(Exception):
def __init__(self,*args):
self.args = args
try:
n = int(input("Enter a Number to check whether he number is odd or even : "))
if n % 2 == 0:
raise EvenNumberException("%d is a Even Number!!."%n)
else:
raise OddNumberException("%d is a Odd Number!!."%n)
except EvenNumberException as r:
print(r)
except OddNumberException as r:
print(r)
| class Oddnumberexception(Exception):
def __init__(self, *args):
self.args = args
class Evennumberexception(Exception):
def __init__(self, *args):
self.args = args
try:
n = int(input('Enter a Number to check whether he number is odd or even : '))
if n % 2 == 0:
raise even_number_exception('%d is a Even Number!!.' % n)
else:
raise odd_number_exception('%d is a Odd Number!!.' % n)
except EvenNumberException as r:
print(r)
except OddNumberException as r:
print(r) |
def filter_db_queryset_by_id(db_queryset, rqst_id, list_of_ids):
if isinstance(rqst_id, str) and rqst_id.lower() == "all":
db_queryset = db_queryset.order_by("id")
else:
db_queryset = db_queryset.filter(id__in=list_of_ids).order_by("id")
return db_queryset
| def filter_db_queryset_by_id(db_queryset, rqst_id, list_of_ids):
if isinstance(rqst_id, str) and rqst_id.lower() == 'all':
db_queryset = db_queryset.order_by('id')
else:
db_queryset = db_queryset.filter(id__in=list_of_ids).order_by('id')
return db_queryset |
class Dij:
# matrix of roads
road = [[]]
# infinity
infinit = 9999
# array of costs
D = []
# array of selected nodes
S = []
# array of fathers
T = []
# number of nodes
nodes = -1
# output
output = []
def __init__(self, start):
self.readGraph()
self.r = start
r = self.r
self.S[r] = 1
for j in range(1, self.nodes + 1):
self.D[j] = self.road[r][j]
for j in range(1, self.nodes + 1):
if self.D[j]:
self.T[j] = r
for i in range(1, self.nodes):
min = 9999
for j in range(1, self.nodes + 1):
if self.S[j] == 0:
if self.D[j] < min:
min = self.D[j]
pos = j
self.S[pos] = 1
for j in range(1, self.nodes + 1):
if self.S[j] == 0:
if self.D[j] > self.D[pos] + self.road[pos][j]:
self.D[j] = self.D[pos] + self.road[pos][j]
self.T[j] = pos
f = open('road.out', 'w')
for k in range(1, self.nodes + 1):
if k is not r:
if self.T[k]:
print
"Road from ", r, " to ", k
self.draw(k)
print
self.output
f.write("Road from {} to {} => {}".format(r, k, str(self.output)))
f.write("\n")
self.output = []
else:
print
"There is not exists road"
f.close()
def draw(self, node):
if self.T[node]:
self.draw(self.T[node])
print
node
self.output.append(node)
def readGraph(self):
counter = 0
input = []
with open('example.txt', 'r') as file:
for a_line in file:
counter += 1
if counter == 1:
number_of_nodes = int(a_line.rstrip())
else:
input.append(a_line.rstrip())
size = len(input)
self.nodes = number_of_nodes
self.road = [[0 for i in range(0, number_of_nodes + 1)] for j in range(0, number_of_nodes + 1)]
for i in range(0, self.nodes + 1):
for j in range(0, self.nodes + 1):
if i == j:
self.road[i][j] = 0
else:
self.road[i][j] = self.infinit
for i in range(0, size):
component = input[i]
node1 = int(component[0])
node2 = int(component[2])
cost = int(component[4])
self.road[node1][node2] = cost
# init
self.D = [0] * (number_of_nodes + 1)
self.S = [0] * (number_of_nodes + 1)
self.T = [0] * (number_of_nodes + 1)
ob = Dij(2) | class Dij:
road = [[]]
infinit = 9999
d = []
s = []
t = []
nodes = -1
output = []
def __init__(self, start):
self.readGraph()
self.r = start
r = self.r
self.S[r] = 1
for j in range(1, self.nodes + 1):
self.D[j] = self.road[r][j]
for j in range(1, self.nodes + 1):
if self.D[j]:
self.T[j] = r
for i in range(1, self.nodes):
min = 9999
for j in range(1, self.nodes + 1):
if self.S[j] == 0:
if self.D[j] < min:
min = self.D[j]
pos = j
self.S[pos] = 1
for j in range(1, self.nodes + 1):
if self.S[j] == 0:
if self.D[j] > self.D[pos] + self.road[pos][j]:
self.D[j] = self.D[pos] + self.road[pos][j]
self.T[j] = pos
f = open('road.out', 'w')
for k in range(1, self.nodes + 1):
if k is not r:
if self.T[k]:
print
('Road from ', r, ' to ', k)
self.draw(k)
print
self.output
f.write('Road from {} to {} => {}'.format(r, k, str(self.output)))
f.write('\n')
self.output = []
else:
print
'There is not exists road'
f.close()
def draw(self, node):
if self.T[node]:
self.draw(self.T[node])
print
node
self.output.append(node)
def read_graph(self):
counter = 0
input = []
with open('example.txt', 'r') as file:
for a_line in file:
counter += 1
if counter == 1:
number_of_nodes = int(a_line.rstrip())
else:
input.append(a_line.rstrip())
size = len(input)
self.nodes = number_of_nodes
self.road = [[0 for i in range(0, number_of_nodes + 1)] for j in range(0, number_of_nodes + 1)]
for i in range(0, self.nodes + 1):
for j in range(0, self.nodes + 1):
if i == j:
self.road[i][j] = 0
else:
self.road[i][j] = self.infinit
for i in range(0, size):
component = input[i]
node1 = int(component[0])
node2 = int(component[2])
cost = int(component[4])
self.road[node1][node2] = cost
self.D = [0] * (number_of_nodes + 1)
self.S = [0] * (number_of_nodes + 1)
self.T = [0] * (number_of_nodes + 1)
ob = dij(2) |
n, k = (int(x) for x in input().split())
arr = [int(x) for x in input().split()]
new_arr = list()
i = 0
while i != n - k + 1:
new_arr.append(max(arr[i:i+k]))
i += 1
print(*new_arr) | (n, k) = (int(x) for x in input().split())
arr = [int(x) for x in input().split()]
new_arr = list()
i = 0
while i != n - k + 1:
new_arr.append(max(arr[i:i + k]))
i += 1
print(*new_arr) |
#
# PySNMP MIB module Nortel-Magellan-Passport-SoftwareMIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-Magellan-Passport-SoftwareMIB
# Produced by pysmi-0.3.4 at Mon Apr 29 20:18:50 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint, ConstraintsIntersection, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint", "ConstraintsIntersection", "ValueRangeConstraint")
DisplayString, Unsigned32, RowStatus, StorageType = mibBuilder.importSymbols("Nortel-Magellan-Passport-StandardTextualConventionsMIB", "DisplayString", "Unsigned32", "RowStatus", "StorageType")
AsciiStringIndex, Link, AsciiString, NonReplicated = mibBuilder.importSymbols("Nortel-Magellan-Passport-TextualConventionsMIB", "AsciiStringIndex", "Link", "AsciiString", "NonReplicated")
components, passportMIBs = mibBuilder.importSymbols("Nortel-Magellan-Passport-UsefulDefinitionsMIB", "components", "passportMIBs")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
iso, ModuleIdentity, IpAddress, Unsigned32, ObjectIdentity, MibIdentifier, TimeTicks, NotificationType, Counter32, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter64, Integer32, Gauge32, Bits = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "ModuleIdentity", "IpAddress", "Unsigned32", "ObjectIdentity", "MibIdentifier", "TimeTicks", "NotificationType", "Counter32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter64", "Integer32", "Gauge32", "Bits")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
softwareMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17))
sw = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14))
swRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1), )
if mibBuilder.loadTexts: swRowStatusTable.setStatus('mandatory')
swRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"))
if mibBuilder.loadTexts: swRowStatusEntry.setStatus('mandatory')
swRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swRowStatus.setStatus('mandatory')
swComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swComponentName.setStatus('mandatory')
swStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swStorageType.setStatus('mandatory')
swIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: swIndex.setStatus('mandatory')
swOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11), )
if mibBuilder.loadTexts: swOperTable.setStatus('mandatory')
swOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"))
if mibBuilder.loadTexts: swOperEntry.setStatus('mandatory')
swTidyStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("inactive", 0), ("inProgress", 1), ("querying", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swTidyStatus.setStatus('mandatory')
swAvBeingTidied = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1, 421), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvBeingTidied.setStatus('mandatory')
swAvlTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256), )
if mibBuilder.loadTexts: swAvlTable.setStatus('mandatory')
swAvlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvlValue"))
if mibBuilder.loadTexts: swAvlEntry.setStatus('mandatory')
swAvlValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swAvlValue.setStatus('mandatory')
swAvlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1, 2), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: swAvlRowStatus.setStatus('mandatory')
swAvListToTidyTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422), )
if mibBuilder.loadTexts: swAvListToTidyTable.setStatus('mandatory')
swAvListToTidyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvListToTidyValue"))
if mibBuilder.loadTexts: swAvListToTidyEntry.setStatus('mandatory')
swAvListToTidyValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvListToTidyValue.setStatus('mandatory')
swAvListTidiedTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423), )
if mibBuilder.loadTexts: swAvListTidiedTable.setStatus('mandatory')
swAvListTidiedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvListTidiedValue"))
if mibBuilder.loadTexts: swAvListTidiedEntry.setStatus('mandatory')
swAvListTidiedValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvListTidiedValue.setStatus('mandatory')
swPatlTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436), )
if mibBuilder.loadTexts: swPatlTable.setStatus('mandatory')
swPatlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swPatlValue"))
if mibBuilder.loadTexts: swPatlEntry.setStatus('mandatory')
swPatlValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swPatlValue.setStatus('mandatory')
swPatlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1, 2), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: swPatlRowStatus.setStatus('mandatory')
swDld = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2))
swDldRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1), )
if mibBuilder.loadTexts: swDldRowStatusTable.setStatus('mandatory')
swDldRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldIndex"))
if mibBuilder.loadTexts: swDldRowStatusEntry.setStatus('mandatory')
swDldRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldRowStatus.setStatus('mandatory')
swDldComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldComponentName.setStatus('mandatory')
swDldStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldStorageType.setStatus('mandatory')
swDldIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 10), NonReplicated())
if mibBuilder.loadTexts: swDldIndex.setStatus('mandatory')
swDldOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10), )
if mibBuilder.loadTexts: swDldOperTable.setStatus('mandatory')
swDldOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldIndex"))
if mibBuilder.loadTexts: swDldOperEntry.setStatus('mandatory')
swDldAvBeingDownloaded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldAvBeingDownloaded.setStatus('mandatory')
swDldStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("inactive", 0), ("inProgress", 1), ("stopping", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldStatus.setStatus('mandatory')
swDldFilesToTransfer = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldFilesToTransfer.setStatus('mandatory')
swDldProcessorTargets = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swDldProcessorTargets.setStatus('mandatory')
swDldDldListTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260), )
if mibBuilder.loadTexts: swDldDldListTable.setStatus('mandatory')
swDldDldListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldDldListValue"))
if mibBuilder.loadTexts: swDldDldListEntry.setStatus('mandatory')
swDldDldListValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swDldDldListValue.setStatus('mandatory')
swDldDldListRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1, 2), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: swDldDldListRowStatus.setStatus('mandatory')
swDldDownloadedAvListTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261), )
if mibBuilder.loadTexts: swDldDownloadedAvListTable.setStatus('mandatory')
swDldDownloadedAvListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swDldDownloadedAvListValue"))
if mibBuilder.loadTexts: swDldDownloadedAvListEntry.setStatus('mandatory')
swDldDownloadedAvListValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swDldDownloadedAvListValue.setStatus('mandatory')
swAv = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3))
swAvRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1), )
if mibBuilder.loadTexts: swAvRowStatusTable.setStatus('mandatory')
swAvRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"))
if mibBuilder.loadTexts: swAvRowStatusEntry.setStatus('mandatory')
swAvRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvRowStatus.setStatus('mandatory')
swAvComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvComponentName.setStatus('mandatory')
swAvStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvStorageType.setStatus('mandatory')
swAvIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 10), AsciiStringIndex().subtype(subtypeSpec=ValueSizeConstraint(1, 30)))
if mibBuilder.loadTexts: swAvIndex.setStatus('mandatory')
swAvOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10), )
if mibBuilder.loadTexts: swAvOperTable.setStatus('mandatory')
swAvOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"))
if mibBuilder.loadTexts: swAvOperEntry.setStatus('mandatory')
swAvProcessorTargets = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvProcessorTargets.setStatus('mandatory')
swAvCompatibleAvListTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259), )
if mibBuilder.loadTexts: swAvCompatibleAvListTable.setStatus('mandatory')
swAvCompatibleAvListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvCompatibleAvListValue"))
if mibBuilder.loadTexts: swAvCompatibleAvListEntry.setStatus('mandatory')
swAvCompatibleAvListValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 30))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvCompatibleAvListValue.setStatus('mandatory')
swAvFeat = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2))
swAvFeatRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1), )
if mibBuilder.loadTexts: swAvFeatRowStatusTable.setStatus('mandatory')
swAvFeatRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvFeatIndex"))
if mibBuilder.loadTexts: swAvFeatRowStatusEntry.setStatus('mandatory')
swAvFeatRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvFeatRowStatus.setStatus('mandatory')
swAvFeatComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvFeatComponentName.setStatus('mandatory')
swAvFeatStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvFeatStorageType.setStatus('mandatory')
swAvFeatIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 10), AsciiStringIndex().subtype(subtypeSpec=ValueSizeConstraint(1, 25)))
if mibBuilder.loadTexts: swAvFeatIndex.setStatus('mandatory')
swAvPatch = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3))
swAvPatchRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1), )
if mibBuilder.loadTexts: swAvPatchRowStatusTable.setStatus('mandatory')
swAvPatchRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvPatchIndex"))
if mibBuilder.loadTexts: swAvPatchRowStatusEntry.setStatus('mandatory')
swAvPatchRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 1), RowStatus()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvPatchRowStatus.setStatus('mandatory')
swAvPatchComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvPatchComponentName.setStatus('mandatory')
swAvPatchStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvPatchStorageType.setStatus('mandatory')
swAvPatchIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 10), AsciiStringIndex().subtype(subtypeSpec=ValueSizeConstraint(1, 30)))
if mibBuilder.loadTexts: swAvPatchIndex.setStatus('mandatory')
swAvPatchOperTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10), )
if mibBuilder.loadTexts: swAvPatchOperTable.setStatus('mandatory')
swAvPatchOperEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swAvPatchIndex"))
if mibBuilder.loadTexts: swAvPatchOperEntry.setStatus('mandatory')
swAvPatchDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 512))).setMaxAccess("readonly")
if mibBuilder.loadTexts: swAvPatchDescription.setStatus('mandatory')
swLpt = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4))
swLptRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1), )
if mibBuilder.loadTexts: swLptRowStatusTable.setStatus('mandatory')
swLptRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptIndex"))
if mibBuilder.loadTexts: swLptRowStatusEntry.setStatus('mandatory')
swLptRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 1), RowStatus()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swLptRowStatus.setStatus('mandatory')
swLptComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swLptComponentName.setStatus('mandatory')
swLptStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swLptStorageType.setStatus('mandatory')
swLptIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 10), AsciiStringIndex().subtype(subtypeSpec=ValueSizeConstraint(1, 25)))
if mibBuilder.loadTexts: swLptIndex.setStatus('mandatory')
swLptProvTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10), )
if mibBuilder.loadTexts: swLptProvTable.setStatus('mandatory')
swLptProvEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptIndex"))
if mibBuilder.loadTexts: swLptProvEntry.setStatus('mandatory')
swLptCommentText = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swLptCommentText.setStatus('mandatory')
swLptSystemConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0))).clone(namedValues=NamedValues(("default", 0))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swLptSystemConfig.setStatus('mandatory')
swLptFlTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257), )
if mibBuilder.loadTexts: swLptFlTable.setStatus('mandatory')
swLptFlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptFlValue"))
if mibBuilder.loadTexts: swLptFlEntry.setStatus('mandatory')
swLptFlValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(1, 25))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: swLptFlValue.setStatus('mandatory')
swLptFlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1, 2), RowStatus()).setMaxAccess("writeonly")
if mibBuilder.loadTexts: swLptFlRowStatus.setStatus('mandatory')
swLptLogicalProcessorsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258), )
if mibBuilder.loadTexts: swLptLogicalProcessorsTable.setStatus('mandatory')
swLptLogicalProcessorsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258, 1), ).setIndexNames((0, "Nortel-Magellan-Passport-SoftwareMIB", "swIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptIndex"), (0, "Nortel-Magellan-Passport-SoftwareMIB", "swLptLogicalProcessorsValue"))
if mibBuilder.loadTexts: swLptLogicalProcessorsEntry.setStatus('mandatory')
swLptLogicalProcessorsValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258, 1, 1), Link()).setMaxAccess("readonly")
if mibBuilder.loadTexts: swLptLogicalProcessorsValue.setStatus('mandatory')
softwareGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1))
softwareGroupBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5))
softwareGroupBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5, 2))
softwareGroupBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5, 2, 2))
softwareCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3))
softwareCapabilitiesBE = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5))
softwareCapabilitiesBE01 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5, 2))
softwareCapabilitiesBE01A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5, 2, 2))
mibBuilder.exportSymbols("Nortel-Magellan-Passport-SoftwareMIB", softwareCapabilitiesBE01A=softwareCapabilitiesBE01A, swDldDldListRowStatus=swDldDldListRowStatus, swAvPatchOperEntry=swAvPatchOperEntry, swLptSystemConfig=swLptSystemConfig, swDldDownloadedAvListValue=swDldDownloadedAvListValue, swAvListToTidyTable=swAvListToTidyTable, swAvStorageType=swAvStorageType, swLptLogicalProcessorsEntry=swLptLogicalProcessorsEntry, softwareCapabilitiesBE01=softwareCapabilitiesBE01, swLptIndex=swLptIndex, softwareCapabilities=softwareCapabilities, swLptProvTable=swLptProvTable, swAvlTable=swAvlTable, swLptComponentName=swLptComponentName, swAvFeatIndex=swAvFeatIndex, swAvPatchRowStatusEntry=swAvPatchRowStatusEntry, swLpt=swLpt, swAvRowStatusTable=swAvRowStatusTable, swDldDldListEntry=swDldDldListEntry, swAvRowStatus=swAvRowStatus, swDldOperTable=swDldOperTable, swAvFeatRowStatus=swAvFeatRowStatus, swAvPatchOperTable=swAvPatchOperTable, swComponentName=swComponentName, swAvFeat=swAvFeat, swDldDownloadedAvListEntry=swDldDownloadedAvListEntry, swDldFilesToTransfer=swDldFilesToTransfer, swDldProcessorTargets=swDldProcessorTargets, swLptFlRowStatus=swLptFlRowStatus, swAvListToTidyValue=swAvListToTidyValue, swAvRowStatusEntry=swAvRowStatusEntry, swDldComponentName=swDldComponentName, swAvOperEntry=swAvOperEntry, swLptRowStatusTable=swLptRowStatusTable, swDldOperEntry=swDldOperEntry, swAvPatchDescription=swAvPatchDescription, sw=sw, swLptLogicalProcessorsTable=swLptLogicalProcessorsTable, swLptFlEntry=swLptFlEntry, swDldRowStatusEntry=swDldRowStatusEntry, swAvFeatRowStatusTable=swAvFeatRowStatusTable, swDldRowStatus=swDldRowStatus, swPatlValue=swPatlValue, swAvPatchComponentName=swAvPatchComponentName, swAvPatchStorageType=swAvPatchStorageType, swLptRowStatusEntry=swLptRowStatusEntry, swAvListTidiedEntry=swAvListTidiedEntry, swAvPatch=swAvPatch, softwareCapabilitiesBE=softwareCapabilitiesBE, swTidyStatus=swTidyStatus, swDldStorageType=swDldStorageType, swAvPatchRowStatus=swAvPatchRowStatus, swAvCompatibleAvListEntry=swAvCompatibleAvListEntry, swRowStatusEntry=swRowStatusEntry, swAvPatchIndex=swAvPatchIndex, swRowStatus=swRowStatus, swLptProvEntry=swLptProvEntry, softwareGroupBE01=softwareGroupBE01, swPatlEntry=swPatlEntry, swAvComponentName=swAvComponentName, swIndex=swIndex, swAvFeatRowStatusEntry=swAvFeatRowStatusEntry, swLptFlTable=swLptFlTable, swDldIndex=swDldIndex, swLptFlValue=swLptFlValue, swAvIndex=swAvIndex, swAvListTidiedValue=swAvListTidiedValue, swLptRowStatus=swLptRowStatus, swAvOperTable=swAvOperTable, swAvPatchRowStatusTable=swAvPatchRowStatusTable, swOperEntry=swOperEntry, swAvFeatStorageType=swAvFeatStorageType, swDldAvBeingDownloaded=swDldAvBeingDownloaded, softwareGroup=softwareGroup, swAvListTidiedTable=swAvListTidiedTable, swLptCommentText=swLptCommentText, swRowStatusTable=swRowStatusTable, swAvProcessorTargets=swAvProcessorTargets, softwareGroupBE01A=softwareGroupBE01A, swAvlEntry=swAvlEntry, swAvlRowStatus=swAvlRowStatus, swLptLogicalProcessorsValue=swLptLogicalProcessorsValue, swOperTable=swOperTable, swAv=swAv, swPatlTable=swPatlTable, swStorageType=swStorageType, swDldDldListValue=swDldDldListValue, swAvListToTidyEntry=swAvListToTidyEntry, softwareGroupBE=softwareGroupBE, swDld=swDld, swDldDownloadedAvListTable=swDldDownloadedAvListTable, swLptStorageType=swLptStorageType, swAvlValue=swAvlValue, swPatlRowStatus=swPatlRowStatus, swDldRowStatusTable=swDldRowStatusTable, swDldStatus=swDldStatus, swAvCompatibleAvListValue=swAvCompatibleAvListValue, swDldDldListTable=swDldDldListTable, swAvFeatComponentName=swAvFeatComponentName, softwareMIB=softwareMIB, swAvCompatibleAvListTable=swAvCompatibleAvListTable, swAvBeingTidied=swAvBeingTidied)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_union, single_value_constraint, value_size_constraint, constraints_intersection, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint', 'ConstraintsIntersection', 'ValueRangeConstraint')
(display_string, unsigned32, row_status, storage_type) = mibBuilder.importSymbols('Nortel-Magellan-Passport-StandardTextualConventionsMIB', 'DisplayString', 'Unsigned32', 'RowStatus', 'StorageType')
(ascii_string_index, link, ascii_string, non_replicated) = mibBuilder.importSymbols('Nortel-Magellan-Passport-TextualConventionsMIB', 'AsciiStringIndex', 'Link', 'AsciiString', 'NonReplicated')
(components, passport_mi_bs) = mibBuilder.importSymbols('Nortel-Magellan-Passport-UsefulDefinitionsMIB', 'components', 'passportMIBs')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(iso, module_identity, ip_address, unsigned32, object_identity, mib_identifier, time_ticks, notification_type, counter32, mib_scalar, mib_table, mib_table_row, mib_table_column, counter64, integer32, gauge32, bits) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'ModuleIdentity', 'IpAddress', 'Unsigned32', 'ObjectIdentity', 'MibIdentifier', 'TimeTicks', 'NotificationType', 'Counter32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter64', 'Integer32', 'Gauge32', 'Bits')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
software_mib = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17))
sw = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14))
sw_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1))
if mibBuilder.loadTexts:
swRowStatusTable.setStatus('mandatory')
sw_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'))
if mibBuilder.loadTexts:
swRowStatusEntry.setStatus('mandatory')
sw_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swRowStatus.setStatus('mandatory')
sw_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swComponentName.setStatus('mandatory')
sw_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swStorageType.setStatus('mandatory')
sw_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
swIndex.setStatus('mandatory')
sw_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11))
if mibBuilder.loadTexts:
swOperTable.setStatus('mandatory')
sw_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'))
if mibBuilder.loadTexts:
swOperEntry.setStatus('mandatory')
sw_tidy_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('inactive', 0), ('inProgress', 1), ('querying', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swTidyStatus.setStatus('mandatory')
sw_av_being_tidied = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 11, 1, 421), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvBeingTidied.setStatus('mandatory')
sw_avl_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256))
if mibBuilder.loadTexts:
swAvlTable.setStatus('mandatory')
sw_avl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvlValue'))
if mibBuilder.loadTexts:
swAvlEntry.setStatus('mandatory')
sw_avl_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swAvlValue.setStatus('mandatory')
sw_avl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 256, 1, 2), row_status()).setMaxAccess('writeonly')
if mibBuilder.loadTexts:
swAvlRowStatus.setStatus('mandatory')
sw_av_list_to_tidy_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422))
if mibBuilder.loadTexts:
swAvListToTidyTable.setStatus('mandatory')
sw_av_list_to_tidy_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvListToTidyValue'))
if mibBuilder.loadTexts:
swAvListToTidyEntry.setStatus('mandatory')
sw_av_list_to_tidy_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 422, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvListToTidyValue.setStatus('mandatory')
sw_av_list_tidied_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423))
if mibBuilder.loadTexts:
swAvListTidiedTable.setStatus('mandatory')
sw_av_list_tidied_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvListTidiedValue'))
if mibBuilder.loadTexts:
swAvListTidiedEntry.setStatus('mandatory')
sw_av_list_tidied_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 423, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvListTidiedValue.setStatus('mandatory')
sw_patl_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436))
if mibBuilder.loadTexts:
swPatlTable.setStatus('mandatory')
sw_patl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swPatlValue'))
if mibBuilder.loadTexts:
swPatlEntry.setStatus('mandatory')
sw_patl_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swPatlValue.setStatus('mandatory')
sw_patl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 436, 1, 2), row_status()).setMaxAccess('writeonly')
if mibBuilder.loadTexts:
swPatlRowStatus.setStatus('mandatory')
sw_dld = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2))
sw_dld_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1))
if mibBuilder.loadTexts:
swDldRowStatusTable.setStatus('mandatory')
sw_dld_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldIndex'))
if mibBuilder.loadTexts:
swDldRowStatusEntry.setStatus('mandatory')
sw_dld_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldRowStatus.setStatus('mandatory')
sw_dld_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldComponentName.setStatus('mandatory')
sw_dld_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldStorageType.setStatus('mandatory')
sw_dld_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 1, 1, 10), non_replicated())
if mibBuilder.loadTexts:
swDldIndex.setStatus('mandatory')
sw_dld_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10))
if mibBuilder.loadTexts:
swDldOperTable.setStatus('mandatory')
sw_dld_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldIndex'))
if mibBuilder.loadTexts:
swDldOperEntry.setStatus('mandatory')
sw_dld_av_being_downloaded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldAvBeingDownloaded.setStatus('mandatory')
sw_dld_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('inactive', 0), ('inProgress', 1), ('stopping', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldStatus.setStatus('mandatory')
sw_dld_files_to_transfer = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 1000))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldFilesToTransfer.setStatus('mandatory')
sw_dld_processor_targets = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 10, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swDldProcessorTargets.setStatus('mandatory')
sw_dld_dld_list_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260))
if mibBuilder.loadTexts:
swDldDldListTable.setStatus('mandatory')
sw_dld_dld_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldDldListValue'))
if mibBuilder.loadTexts:
swDldDldListEntry.setStatus('mandatory')
sw_dld_dld_list_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swDldDldListValue.setStatus('mandatory')
sw_dld_dld_list_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 260, 1, 2), row_status()).setMaxAccess('writeonly')
if mibBuilder.loadTexts:
swDldDldListRowStatus.setStatus('mandatory')
sw_dld_downloaded_av_list_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261))
if mibBuilder.loadTexts:
swDldDownloadedAvListTable.setStatus('mandatory')
sw_dld_downloaded_av_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swDldDownloadedAvListValue'))
if mibBuilder.loadTexts:
swDldDownloadedAvListEntry.setStatus('mandatory')
sw_dld_downloaded_av_list_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 2, 261, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swDldDownloadedAvListValue.setStatus('mandatory')
sw_av = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3))
sw_av_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1))
if mibBuilder.loadTexts:
swAvRowStatusTable.setStatus('mandatory')
sw_av_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'))
if mibBuilder.loadTexts:
swAvRowStatusEntry.setStatus('mandatory')
sw_av_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvRowStatus.setStatus('mandatory')
sw_av_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvComponentName.setStatus('mandatory')
sw_av_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvStorageType.setStatus('mandatory')
sw_av_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 1, 1, 10), ascii_string_index().subtype(subtypeSpec=value_size_constraint(1, 30)))
if mibBuilder.loadTexts:
swAvIndex.setStatus('mandatory')
sw_av_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10))
if mibBuilder.loadTexts:
swAvOperTable.setStatus('mandatory')
sw_av_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'))
if mibBuilder.loadTexts:
swAvOperEntry.setStatus('mandatory')
sw_av_processor_targets = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 10, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvProcessorTargets.setStatus('mandatory')
sw_av_compatible_av_list_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259))
if mibBuilder.loadTexts:
swAvCompatibleAvListTable.setStatus('mandatory')
sw_av_compatible_av_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvCompatibleAvListValue'))
if mibBuilder.loadTexts:
swAvCompatibleAvListEntry.setStatus('mandatory')
sw_av_compatible_av_list_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 259, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 30))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvCompatibleAvListValue.setStatus('mandatory')
sw_av_feat = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2))
sw_av_feat_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1))
if mibBuilder.loadTexts:
swAvFeatRowStatusTable.setStatus('mandatory')
sw_av_feat_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvFeatIndex'))
if mibBuilder.loadTexts:
swAvFeatRowStatusEntry.setStatus('mandatory')
sw_av_feat_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvFeatRowStatus.setStatus('mandatory')
sw_av_feat_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvFeatComponentName.setStatus('mandatory')
sw_av_feat_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvFeatStorageType.setStatus('mandatory')
sw_av_feat_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 2, 1, 1, 10), ascii_string_index().subtype(subtypeSpec=value_size_constraint(1, 25)))
if mibBuilder.loadTexts:
swAvFeatIndex.setStatus('mandatory')
sw_av_patch = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3))
sw_av_patch_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1))
if mibBuilder.loadTexts:
swAvPatchRowStatusTable.setStatus('mandatory')
sw_av_patch_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvPatchIndex'))
if mibBuilder.loadTexts:
swAvPatchRowStatusEntry.setStatus('mandatory')
sw_av_patch_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 1), row_status()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvPatchRowStatus.setStatus('mandatory')
sw_av_patch_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvPatchComponentName.setStatus('mandatory')
sw_av_patch_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvPatchStorageType.setStatus('mandatory')
sw_av_patch_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 1, 1, 10), ascii_string_index().subtype(subtypeSpec=value_size_constraint(1, 30)))
if mibBuilder.loadTexts:
swAvPatchIndex.setStatus('mandatory')
sw_av_patch_oper_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10))
if mibBuilder.loadTexts:
swAvPatchOperTable.setStatus('mandatory')
sw_av_patch_oper_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swAvPatchIndex'))
if mibBuilder.loadTexts:
swAvPatchOperEntry.setStatus('mandatory')
sw_av_patch_description = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 3, 3, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 512))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swAvPatchDescription.setStatus('mandatory')
sw_lpt = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4))
sw_lpt_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1))
if mibBuilder.loadTexts:
swLptRowStatusTable.setStatus('mandatory')
sw_lpt_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptIndex'))
if mibBuilder.loadTexts:
swLptRowStatusEntry.setStatus('mandatory')
sw_lpt_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 1), row_status()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swLptRowStatus.setStatus('mandatory')
sw_lpt_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 2), display_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swLptComponentName.setStatus('mandatory')
sw_lpt_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swLptStorageType.setStatus('mandatory')
sw_lpt_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 1, 1, 10), ascii_string_index().subtype(subtypeSpec=value_size_constraint(1, 25)))
if mibBuilder.loadTexts:
swLptIndex.setStatus('mandatory')
sw_lpt_prov_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10))
if mibBuilder.loadTexts:
swLptProvTable.setStatus('mandatory')
sw_lpt_prov_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptIndex'))
if mibBuilder.loadTexts:
swLptProvEntry.setStatus('mandatory')
sw_lpt_comment_text = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swLptCommentText.setStatus('mandatory')
sw_lpt_system_config = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0))).clone(namedValues=named_values(('default', 0))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swLptSystemConfig.setStatus('mandatory')
sw_lpt_fl_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257))
if mibBuilder.loadTexts:
swLptFlTable.setStatus('mandatory')
sw_lpt_fl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptFlValue'))
if mibBuilder.loadTexts:
swLptFlEntry.setStatus('mandatory')
sw_lpt_fl_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(1, 25))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
swLptFlValue.setStatus('mandatory')
sw_lpt_fl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 257, 1, 2), row_status()).setMaxAccess('writeonly')
if mibBuilder.loadTexts:
swLptFlRowStatus.setStatus('mandatory')
sw_lpt_logical_processors_table = mib_table((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258))
if mibBuilder.loadTexts:
swLptLogicalProcessorsTable.setStatus('mandatory')
sw_lpt_logical_processors_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258, 1)).setIndexNames((0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptIndex'), (0, 'Nortel-Magellan-Passport-SoftwareMIB', 'swLptLogicalProcessorsValue'))
if mibBuilder.loadTexts:
swLptLogicalProcessorsEntry.setStatus('mandatory')
sw_lpt_logical_processors_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 2, 4, 1, 14, 4, 258, 1, 1), link()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
swLptLogicalProcessorsValue.setStatus('mandatory')
software_group = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1))
software_group_be = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5))
software_group_be01 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5, 2))
software_group_be01_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 1, 5, 2, 2))
software_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3))
software_capabilities_be = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5))
software_capabilities_be01 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5, 2))
software_capabilities_be01_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 2, 4, 2, 17, 3, 5, 2, 2))
mibBuilder.exportSymbols('Nortel-Magellan-Passport-SoftwareMIB', softwareCapabilitiesBE01A=softwareCapabilitiesBE01A, swDldDldListRowStatus=swDldDldListRowStatus, swAvPatchOperEntry=swAvPatchOperEntry, swLptSystemConfig=swLptSystemConfig, swDldDownloadedAvListValue=swDldDownloadedAvListValue, swAvListToTidyTable=swAvListToTidyTable, swAvStorageType=swAvStorageType, swLptLogicalProcessorsEntry=swLptLogicalProcessorsEntry, softwareCapabilitiesBE01=softwareCapabilitiesBE01, swLptIndex=swLptIndex, softwareCapabilities=softwareCapabilities, swLptProvTable=swLptProvTable, swAvlTable=swAvlTable, swLptComponentName=swLptComponentName, swAvFeatIndex=swAvFeatIndex, swAvPatchRowStatusEntry=swAvPatchRowStatusEntry, swLpt=swLpt, swAvRowStatusTable=swAvRowStatusTable, swDldDldListEntry=swDldDldListEntry, swAvRowStatus=swAvRowStatus, swDldOperTable=swDldOperTable, swAvFeatRowStatus=swAvFeatRowStatus, swAvPatchOperTable=swAvPatchOperTable, swComponentName=swComponentName, swAvFeat=swAvFeat, swDldDownloadedAvListEntry=swDldDownloadedAvListEntry, swDldFilesToTransfer=swDldFilesToTransfer, swDldProcessorTargets=swDldProcessorTargets, swLptFlRowStatus=swLptFlRowStatus, swAvListToTidyValue=swAvListToTidyValue, swAvRowStatusEntry=swAvRowStatusEntry, swDldComponentName=swDldComponentName, swAvOperEntry=swAvOperEntry, swLptRowStatusTable=swLptRowStatusTable, swDldOperEntry=swDldOperEntry, swAvPatchDescription=swAvPatchDescription, sw=sw, swLptLogicalProcessorsTable=swLptLogicalProcessorsTable, swLptFlEntry=swLptFlEntry, swDldRowStatusEntry=swDldRowStatusEntry, swAvFeatRowStatusTable=swAvFeatRowStatusTable, swDldRowStatus=swDldRowStatus, swPatlValue=swPatlValue, swAvPatchComponentName=swAvPatchComponentName, swAvPatchStorageType=swAvPatchStorageType, swLptRowStatusEntry=swLptRowStatusEntry, swAvListTidiedEntry=swAvListTidiedEntry, swAvPatch=swAvPatch, softwareCapabilitiesBE=softwareCapabilitiesBE, swTidyStatus=swTidyStatus, swDldStorageType=swDldStorageType, swAvPatchRowStatus=swAvPatchRowStatus, swAvCompatibleAvListEntry=swAvCompatibleAvListEntry, swRowStatusEntry=swRowStatusEntry, swAvPatchIndex=swAvPatchIndex, swRowStatus=swRowStatus, swLptProvEntry=swLptProvEntry, softwareGroupBE01=softwareGroupBE01, swPatlEntry=swPatlEntry, swAvComponentName=swAvComponentName, swIndex=swIndex, swAvFeatRowStatusEntry=swAvFeatRowStatusEntry, swLptFlTable=swLptFlTable, swDldIndex=swDldIndex, swLptFlValue=swLptFlValue, swAvIndex=swAvIndex, swAvListTidiedValue=swAvListTidiedValue, swLptRowStatus=swLptRowStatus, swAvOperTable=swAvOperTable, swAvPatchRowStatusTable=swAvPatchRowStatusTable, swOperEntry=swOperEntry, swAvFeatStorageType=swAvFeatStorageType, swDldAvBeingDownloaded=swDldAvBeingDownloaded, softwareGroup=softwareGroup, swAvListTidiedTable=swAvListTidiedTable, swLptCommentText=swLptCommentText, swRowStatusTable=swRowStatusTable, swAvProcessorTargets=swAvProcessorTargets, softwareGroupBE01A=softwareGroupBE01A, swAvlEntry=swAvlEntry, swAvlRowStatus=swAvlRowStatus, swLptLogicalProcessorsValue=swLptLogicalProcessorsValue, swOperTable=swOperTable, swAv=swAv, swPatlTable=swPatlTable, swStorageType=swStorageType, swDldDldListValue=swDldDldListValue, swAvListToTidyEntry=swAvListToTidyEntry, softwareGroupBE=softwareGroupBE, swDld=swDld, swDldDownloadedAvListTable=swDldDownloadedAvListTable, swLptStorageType=swLptStorageType, swAvlValue=swAvlValue, swPatlRowStatus=swPatlRowStatus, swDldRowStatusTable=swDldRowStatusTable, swDldStatus=swDldStatus, swAvCompatibleAvListValue=swAvCompatibleAvListValue, swDldDldListTable=swDldDldListTable, swAvFeatComponentName=swAvFeatComponentName, softwareMIB=softwareMIB, swAvCompatibleAvListTable=swAvCompatibleAvListTable, swAvBeingTidied=swAvBeingTidied) |
expression = input()
parentheses_indices = []
for i in range(len(expression)):
if expression[i] == '(':
parentheses_indices.append(i)
elif expression[i] == ')':
opening_index = parentheses_indices.pop()
closing_index = i
searched_set = expression[opening_index:closing_index + 1]
print(searched_set) | expression = input()
parentheses_indices = []
for i in range(len(expression)):
if expression[i] == '(':
parentheses_indices.append(i)
elif expression[i] == ')':
opening_index = parentheses_indices.pop()
closing_index = i
searched_set = expression[opening_index:closing_index + 1]
print(searched_set) |
name = "Optimizer Parameters"
description = None
args_and_kwargs = (
(("--iterations",), {
"help":"Number of gradient steps to take.",
"type":int,
"default":10000,
}),
(("--learning-rate",), {
"help":"Adam learning rate. The default is 0.001",
"type":float,
"default":0.001,
}),
(("--beta-1",), {
"help":"Adam beta_1 param. The default is 0.9",
"type":float,
"default":0.9,
}),
(("--beta-2",), {
"help":"Adam beta_2 param. The default is 0.99",
"type":float,
"default":0.99,
}),
)
| name = 'Optimizer Parameters'
description = None
args_and_kwargs = ((('--iterations',), {'help': 'Number of gradient steps to take.', 'type': int, 'default': 10000}), (('--learning-rate',), {'help': 'Adam learning rate. The default is 0.001', 'type': float, 'default': 0.001}), (('--beta-1',), {'help': 'Adam beta_1 param. The default is 0.9', 'type': float, 'default': 0.9}), (('--beta-2',), {'help': 'Adam beta_2 param. The default is 0.99', 'type': float, 'default': 0.99})) |
# File: M (Python 2.4)
class Mappable:
def __init__(self):
pass
def getMapNode(self):
pass
class MappableArea(Mappable):
def getMapName(self):
return ''
def getZoomLevels(self):
return ((100, 200, 300), 1)
def getFootprintNode(self):
pass
def getShopNodes(self):
return ()
def getCapturePointNodes(self, holidayId):
return ()
class MappableGrid(MappableArea):
def getGridParamters(self):
return ()
| class Mappable:
def __init__(self):
pass
def get_map_node(self):
pass
class Mappablearea(Mappable):
def get_map_name(self):
return ''
def get_zoom_levels(self):
return ((100, 200, 300), 1)
def get_footprint_node(self):
pass
def get_shop_nodes(self):
return ()
def get_capture_point_nodes(self, holidayId):
return ()
class Mappablegrid(MappableArea):
def get_grid_paramters(self):
return () |
#!/usr/bin/env python
S_PC = ord("p")
S_A = ord("A")
S_X = ord("X")
S_Y = ord("Y")
S_SP = ord("S")
S_IND_X = 0x1D9
S_IND_Y = 0x1DF
S_Z_X = 0x209
S_Z_Y = 0x20F
S_Z = 0x200
S_ABS_X = 0x809
S_ABS_Y = 0x80F
S_ABS = 0x800
S_HASH = ord("#")
S_XXX = 0xFFFF
S_NONE = 0x0000
| s_pc = ord('p')
s_a = ord('A')
s_x = ord('X')
s_y = ord('Y')
s_sp = ord('S')
s_ind_x = 473
s_ind_y = 479
s_z_x = 521
s_z_y = 527
s_z = 512
s_abs_x = 2057
s_abs_y = 2063
s_abs = 2048
s_hash = ord('#')
s_xxx = 65535
s_none = 0 |
N = float(input())
if N >= 0 and N <= 25:
print('Intervalo [0,25]')
elif N > 25 and N <= 50:
print('Intervalo (25,50]')
elif N > 50 and N <= 75:
print('Intervalo (50,75]')
elif N > 75 and N <= 100:
print('Intervalo (75,100]')
else:
print('Fora de intervalo') | n = float(input())
if N >= 0 and N <= 25:
print('Intervalo [0,25]')
elif N > 25 and N <= 50:
print('Intervalo (25,50]')
elif N > 50 and N <= 75:
print('Intervalo (50,75]')
elif N > 75 and N <= 100:
print('Intervalo (75,100]')
else:
print('Fora de intervalo') |
# Write a function called delete_starting_evens() that has a parameter named lst.
# The function should remove elements from the front of lst until the front of the list is not even. The function should then return lst.
# For example if lst started as [4, 8, 10, 11, 12, 15], then delete_starting_evens(lst) should return [11, 12, 15].
# Make sure your function works even if every element in the list is even!
def delete_starting_evens(lst):
while (len(lst) > 0 and lst[0] % 2 == 0):
lst = lst[1:]
return lst
print(delete_starting_evens([4, 8, 10, 11, 12, 15]))
| def delete_starting_evens(lst):
while len(lst) > 0 and lst[0] % 2 == 0:
lst = lst[1:]
return lst
print(delete_starting_evens([4, 8, 10, 11, 12, 15])) |
db_config = {
'host':'', #typically localhost if running this locally
'port':'', #typically 3306 if running a standard MySQl engine
'user':'', #mysql user with full privileges on the DB
'pass':'', #password of the mysql user
'db':''} #database in which all tables will be stored (must be already created)
| db_config = {'host': '', 'port': '', 'user': '', 'pass': '', 'db': ''} |
squares = [1, 4, 9, 16, 25]
print(squares) # [1, 4, 9, 16, 25]
print(squares[0]) # 1
print(squares[-1]) # 25
cubes = [1, 8, 27, 65, 125]
cubes[3] = 64
print(cubes) # [1, 8, 27, 64, 125]
cubes.append(216)
cubes.append(7 ** 3)
print(cubes) # [1, 8, 27, 64, 125, 216, 343]
print(8 in cubes) # True
print(None in cubes) # False
a = [1, 2, 3]
print(a) # [1, 2, 3]
a[1] = [1, 2, 3]
print(a) # [1, [1, 2, 3], 3]
a[1][1] = [1, 2, 3]
print(a) # [1, [1, [1, 2, 3], 3], 3]
a[1][1][1] = 5
print(a) # [1, [1, [1, 5, 3], 3], 3]
| squares = [1, 4, 9, 16, 25]
print(squares)
print(squares[0])
print(squares[-1])
cubes = [1, 8, 27, 65, 125]
cubes[3] = 64
print(cubes)
cubes.append(216)
cubes.append(7 ** 3)
print(cubes)
print(8 in cubes)
print(None in cubes)
a = [1, 2, 3]
print(a)
a[1] = [1, 2, 3]
print(a)
a[1][1] = [1, 2, 3]
print(a)
a[1][1][1] = 5
print(a) |
REPOSITORY_LOCATIONS = dict(
bazel_gazelle = dict(
sha256 = "be9296bfd64882e3c08e3283c58fcb461fa6dd3c171764fcc4cf322f60615a9b",
urls = ["https://github.com/bazelbuild/bazel-gazelle/releases/download/0.18.1/bazel-gazelle-0.18.1.tar.gz"],
),
bazel_skylib = dict(
sha256 = "2ef429f5d7ce7111263289644d233707dba35e39696377ebab8b0bc701f7818e",
urls = ["https://github.com/bazelbuild/bazel-skylib/releases/download/0.8.0/bazel-skylib.0.8.0.tar.gz"],
),
com_envoyproxy_protoc_gen_validate = dict(
sha256 = "ddefe3dcbb25d68a2e5dfea67d19c060959c2aecc782802bd4c1a5811d44dd45",
strip_prefix = "protoc-gen-validate-2feaabb13a5d697b80fcb938c0ce37b24c9381ee", # Jul 26, 2018
urls = ["https://github.com/envoyproxy/protoc-gen-validate/archive/2feaabb13a5d697b80fcb938c0ce37b24c9381ee.tar.gz"],
),
com_github_grpc_grpc = dict(
sha256 = "bcb01ac7029a7fb5219ad2cbbc4f0a2df3ef32db42e236ce7814597f4b04b541",
strip_prefix = "grpc-79a8b5289e3122d2cea2da3be7151d37313d6f46",
# Commit from 2019-05-30
urls = ["https://github.com/grpc/grpc/archive/79a8b5289e3122d2cea2da3be7151d37313d6f46.tar.gz"],
),
com_google_googleapis = dict(
# TODO(dio): Consider writing a Skylark macro for importing Google API proto.
sha256 = "c1969e5b72eab6d9b6cfcff748e45ba57294aeea1d96fd04cd081995de0605c2",
strip_prefix = "googleapis-be480e391cc88a75cf2a81960ef79c80d5012068",
urls = ["https://github.com/googleapis/googleapis/archive/be480e391cc88a75cf2a81960ef79c80d5012068.tar.gz"],
),
com_google_protobuf = dict(
sha256 = "b7220b41481011305bf9100847cf294393973e869973a9661046601959b2960b",
strip_prefix = "protobuf-3.8.0",
urls = ["https://github.com/protocolbuffers/protobuf/releases/download/v3.8.0/protobuf-all-3.8.0.tar.gz"],
),
io_bazel_rules_go = dict(
sha256 = "96b1f81de5acc7658e1f5a86d7dc9e1b89bc935d83799b711363a748652c471a",
urls = ["https://github.com/bazelbuild/rules_go/releases/download/0.19.2/rules_go-0.19.2.tar.gz"],
),
rules_foreign_cc = dict(
sha256 = "c957e6663094a1478c43330c1bbfa71afeaf1ab86b7565233783301240c7a0ab",
strip_prefix = "rules_foreign_cc-a209b642c7687a8894c19b3dd40e43e6d3f38e83",
# 2019-07-17
urls = ["https://github.com/bazelbuild/rules_foreign_cc/archive/a209b642c7687a8894c19b3dd40e43e6d3f38e83.tar.gz"],
),
rules_proto = dict(
sha256 = "73ebe9d15ba42401c785f9d0aeebccd73bd80bf6b8ac78f74996d31f2c0ad7a6",
strip_prefix = "rules_proto-2c0468366367d7ed97a1f702f9cd7155ab3f73c5",
# 2019-11-19
urls = ["https://github.com/bazelbuild/rules_proto/archive/2c0468366367d7ed97a1f702f9cd7155ab3f73c5.tar.gz"],
),
net_zlib = dict(
sha256 = "629380c90a77b964d896ed37163f5c3a34f6e6d897311f1df2a7016355c45eff",
strip_prefix = "zlib-1.2.11",
urls = ["https://github.com/madler/zlib/archive/v1.2.11.tar.gz"],
),
six_archive = dict(
sha256 = "105f8d68616f8248e24bf0e9372ef04d3cc10104f1980f54d57b2ce73a5ad56a",
urls = ["https://files.pythonhosted.org/packages/b3/b2/238e2590826bfdd113244a40d9d3eb26918bd798fc187e2360a8367068db/six-1.10.0.tar.gz"],
),
)
| repository_locations = dict(bazel_gazelle=dict(sha256='be9296bfd64882e3c08e3283c58fcb461fa6dd3c171764fcc4cf322f60615a9b', urls=['https://github.com/bazelbuild/bazel-gazelle/releases/download/0.18.1/bazel-gazelle-0.18.1.tar.gz']), bazel_skylib=dict(sha256='2ef429f5d7ce7111263289644d233707dba35e39696377ebab8b0bc701f7818e', urls=['https://github.com/bazelbuild/bazel-skylib/releases/download/0.8.0/bazel-skylib.0.8.0.tar.gz']), com_envoyproxy_protoc_gen_validate=dict(sha256='ddefe3dcbb25d68a2e5dfea67d19c060959c2aecc782802bd4c1a5811d44dd45', strip_prefix='protoc-gen-validate-2feaabb13a5d697b80fcb938c0ce37b24c9381ee', urls=['https://github.com/envoyproxy/protoc-gen-validate/archive/2feaabb13a5d697b80fcb938c0ce37b24c9381ee.tar.gz']), com_github_grpc_grpc=dict(sha256='bcb01ac7029a7fb5219ad2cbbc4f0a2df3ef32db42e236ce7814597f4b04b541', strip_prefix='grpc-79a8b5289e3122d2cea2da3be7151d37313d6f46', urls=['https://github.com/grpc/grpc/archive/79a8b5289e3122d2cea2da3be7151d37313d6f46.tar.gz']), com_google_googleapis=dict(sha256='c1969e5b72eab6d9b6cfcff748e45ba57294aeea1d96fd04cd081995de0605c2', strip_prefix='googleapis-be480e391cc88a75cf2a81960ef79c80d5012068', urls=['https://github.com/googleapis/googleapis/archive/be480e391cc88a75cf2a81960ef79c80d5012068.tar.gz']), com_google_protobuf=dict(sha256='b7220b41481011305bf9100847cf294393973e869973a9661046601959b2960b', strip_prefix='protobuf-3.8.0', urls=['https://github.com/protocolbuffers/protobuf/releases/download/v3.8.0/protobuf-all-3.8.0.tar.gz']), io_bazel_rules_go=dict(sha256='96b1f81de5acc7658e1f5a86d7dc9e1b89bc935d83799b711363a748652c471a', urls=['https://github.com/bazelbuild/rules_go/releases/download/0.19.2/rules_go-0.19.2.tar.gz']), rules_foreign_cc=dict(sha256='c957e6663094a1478c43330c1bbfa71afeaf1ab86b7565233783301240c7a0ab', strip_prefix='rules_foreign_cc-a209b642c7687a8894c19b3dd40e43e6d3f38e83', urls=['https://github.com/bazelbuild/rules_foreign_cc/archive/a209b642c7687a8894c19b3dd40e43e6d3f38e83.tar.gz']), rules_proto=dict(sha256='73ebe9d15ba42401c785f9d0aeebccd73bd80bf6b8ac78f74996d31f2c0ad7a6', strip_prefix='rules_proto-2c0468366367d7ed97a1f702f9cd7155ab3f73c5', urls=['https://github.com/bazelbuild/rules_proto/archive/2c0468366367d7ed97a1f702f9cd7155ab3f73c5.tar.gz']), net_zlib=dict(sha256='629380c90a77b964d896ed37163f5c3a34f6e6d897311f1df2a7016355c45eff', strip_prefix='zlib-1.2.11', urls=['https://github.com/madler/zlib/archive/v1.2.11.tar.gz']), six_archive=dict(sha256='105f8d68616f8248e24bf0e9372ef04d3cc10104f1980f54d57b2ce73a5ad56a', urls=['https://files.pythonhosted.org/packages/b3/b2/238e2590826bfdd113244a40d9d3eb26918bd798fc187e2360a8367068db/six-1.10.0.tar.gz'])) |
# Definition for singly-linked list.
# class ListNode:
# def __init__(self, val=0, next=None):
# self.val = val
# self.next = next
class Solution:
def swapPairs(self, head):
return nodeSwap(head)
def nodeSwap(head):
if head and head.next is None:
return head
count = 1
prev = None
current = head
newHead = None
while current.next is not None:
if count % 2 == 0:
if newHead is None:
newHead = current
# swapNode(prev, current)
temp = current.next
current.next = prev
prev.next = temp
count += 1
prev = current
current = current.next
return newHead
# 1->3->4
# def swapNode(prev, current):
# temp = current
# current.next = prev
# prev.next = temp.next
| class Solution:
def swap_pairs(self, head):
return node_swap(head)
def node_swap(head):
if head and head.next is None:
return head
count = 1
prev = None
current = head
new_head = None
while current.next is not None:
if count % 2 == 0:
if newHead is None:
new_head = current
temp = current.next
current.next = prev
prev.next = temp
count += 1
prev = current
current = current.next
return newHead |
# Strings
normal_string = 'you will see a \t tab'
print(normal_string)
raw_string = r"you won't see a \t tab"
print(raw_string)
content = ['Joe', 26]
format_string = f"His name's {content[0]} and he's {content[1]}."
print(format_string)
# Numbers
# to be continued.. | normal_string = 'you will see a \t tab'
print(normal_string)
raw_string = "you won't see a \\t tab"
print(raw_string)
content = ['Joe', 26]
format_string = f"His name's {content[0]} and he's {content[1]}."
print(format_string) |
# static qstrs, should be sorted
# extracted from micropython/py/makeqstrdata.py
static_qstr_list = [
"",
"__dir__", # Put __dir__ after empty qstr for builtin dir() to work
"\n",
" ",
"*",
"/",
"<module>",
"_",
"__call__",
"__class__",
"__delitem__",
"__enter__",
"__exit__",
"__getattr__",
"__getitem__",
"__hash__",
"__init__",
"__int__",
"__iter__",
"__len__",
"__main__",
"__module__",
"__name__",
"__new__",
"__next__",
"__qualname__",
"__repr__",
"__setitem__",
"__str__",
"ArithmeticError",
"AssertionError",
"AttributeError",
"BaseException",
"EOFError",
"Ellipsis",
"Exception",
"GeneratorExit",
"ImportError",
"IndentationError",
"IndexError",
"KeyError",
"KeyboardInterrupt",
"LookupError",
"MemoryError",
"NameError",
"NoneType",
"NotImplementedError",
"OSError",
"OverflowError",
"RuntimeError",
"StopIteration",
"SyntaxError",
"SystemExit",
"TypeError",
"ValueError",
"ZeroDivisionError",
"abs",
"all",
"any",
"append",
"args",
"bool",
"builtins",
"bytearray",
"bytecode",
"bytes",
"callable",
"chr",
"classmethod",
"clear",
"close",
"const",
"copy",
"count",
"dict",
"dir",
"divmod",
"end",
"endswith",
"eval",
"exec",
"extend",
"find",
"format",
"from_bytes",
"get",
"getattr",
"globals",
"hasattr",
"hash",
"id",
"index",
"insert",
"int",
"isalpha",
"isdigit",
"isinstance",
"islower",
"isspace",
"issubclass",
"isupper",
"items",
"iter",
"join",
"key",
"keys",
"len",
"list",
"little",
"locals",
"lower",
"lstrip",
"main",
"map",
"micropython",
"next",
"object",
"open",
"ord",
"pop",
"popitem",
"pow",
"print",
"range",
"read",
"readinto",
"readline",
"remove",
"replace",
"repr",
"reverse",
"rfind",
"rindex",
"round",
"rsplit",
"rstrip",
"self",
"send",
"sep",
"set",
"setattr",
"setdefault",
"sort",
"sorted",
"split",
"start",
"startswith",
"staticmethod",
"step",
"stop",
"str",
"strip",
"sum",
"super",
"throw",
"to_bytes",
"tuple",
"type",
"update",
"upper",
"utf-8",
"value",
"values",
"write",
"zip",
]
| static_qstr_list = ['', '__dir__', '\n', ' ', '*', '/', '<module>', '_', '__call__', '__class__', '__delitem__', '__enter__', '__exit__', '__getattr__', '__getitem__', '__hash__', '__init__', '__int__', '__iter__', '__len__', '__main__', '__module__', '__name__', '__new__', '__next__', '__qualname__', '__repr__', '__setitem__', '__str__', 'ArithmeticError', 'AssertionError', 'AttributeError', 'BaseException', 'EOFError', 'Ellipsis', 'Exception', 'GeneratorExit', 'ImportError', 'IndentationError', 'IndexError', 'KeyError', 'KeyboardInterrupt', 'LookupError', 'MemoryError', 'NameError', 'NoneType', 'NotImplementedError', 'OSError', 'OverflowError', 'RuntimeError', 'StopIteration', 'SyntaxError', 'SystemExit', 'TypeError', 'ValueError', 'ZeroDivisionError', 'abs', 'all', 'any', 'append', 'args', 'bool', 'builtins', 'bytearray', 'bytecode', 'bytes', 'callable', 'chr', 'classmethod', 'clear', 'close', 'const', 'copy', 'count', 'dict', 'dir', 'divmod', 'end', 'endswith', 'eval', 'exec', 'extend', 'find', 'format', 'from_bytes', 'get', 'getattr', 'globals', 'hasattr', 'hash', 'id', 'index', 'insert', 'int', 'isalpha', 'isdigit', 'isinstance', 'islower', 'isspace', 'issubclass', 'isupper', 'items', 'iter', 'join', 'key', 'keys', 'len', 'list', 'little', 'locals', 'lower', 'lstrip', 'main', 'map', 'micropython', 'next', 'object', 'open', 'ord', 'pop', 'popitem', 'pow', 'print', 'range', 'read', 'readinto', 'readline', 'remove', 'replace', 'repr', 'reverse', 'rfind', 'rindex', 'round', 'rsplit', 'rstrip', 'self', 'send', 'sep', 'set', 'setattr', 'setdefault', 'sort', 'sorted', 'split', 'start', 'startswith', 'staticmethod', 'step', 'stop', 'str', 'strip', 'sum', 'super', 'throw', 'to_bytes', 'tuple', 'type', 'update', 'upper', 'utf-8', 'value', 'values', 'write', 'zip'] |
# To raise an exception, you can use the 'raise' keyword.
# Note that you can only raise an object of the Exception class or its subclasses.
# Exception is an inbuilt class in python.
# To raise subclasses of Exception(custom Exception) we have to create our own custom Class.
# We can also pass message along with exception so that exception handling is consistent.
class Employee:
def __init__(self, salary):
self.salary_lower_limit = 100
self.salary_upper_limit = 200
self.salary = salary
class HumanResource:
def pay_salary(self, employee):
if(employee.salary < employee.salary_lower_limit): raise LowSalaryException(employee) # Raising Custom Exceptions
elif(employee.salary > employee.salary_upper_limit): raise HighSalaryException(employee)
else:
print("Employee is satisfied with given salary.")
class LowSalaryException(Exception):
def __init__(self, employee):
# Building the custom message
message = "Given Salary is "+ str(employee.salary) + "is too low. Salary range should be between " + str(employee.salary_lower_limit) + "and" + str(employee.salary_upper_limit)
# Passing the message to super class
super().__init__(message)
class HighSalaryException(Exception):
def __init__(self, employee):
message = "Given Salary is "+ str(employee.salary) + "is too High. Salary range should be between " + str(employee.salary_lower_limit) + "and" + str(employee.salary_upper_limit)
super().__init__(message)
try:
employee=Employee(50)
human_resource=HumanResource()
human_resource.pay_salary(employee)
except LowSalaryException as e:
print(e)
except HighSalaryException as e:
print(e)
except:
print("Some other error.") | class Employee:
def __init__(self, salary):
self.salary_lower_limit = 100
self.salary_upper_limit = 200
self.salary = salary
class Humanresource:
def pay_salary(self, employee):
if employee.salary < employee.salary_lower_limit:
raise low_salary_exception(employee)
elif employee.salary > employee.salary_upper_limit:
raise high_salary_exception(employee)
else:
print('Employee is satisfied with given salary.')
class Lowsalaryexception(Exception):
def __init__(self, employee):
message = 'Given Salary is ' + str(employee.salary) + 'is too low. Salary range should be between ' + str(employee.salary_lower_limit) + 'and' + str(employee.salary_upper_limit)
super().__init__(message)
class Highsalaryexception(Exception):
def __init__(self, employee):
message = 'Given Salary is ' + str(employee.salary) + 'is too High. Salary range should be between ' + str(employee.salary_lower_limit) + 'and' + str(employee.salary_upper_limit)
super().__init__(message)
try:
employee = employee(50)
human_resource = human_resource()
human_resource.pay_salary(employee)
except LowSalaryException as e:
print(e)
except HighSalaryException as e:
print(e)
except:
print('Some other error.') |
# CANDY REPLENISHING ROBOT
n,t = [int(a) for a in input().strip().split()]
Ar = [int(a) for a in input().strip().split()]
i = 0
c = n
count = 0
while t:
#print(c)
if c<5:
count += (n-c)
c += (n-c)
#print(count)
c -= Ar[i]
t -= 1
i += 1
print(count)
| (n, t) = [int(a) for a in input().strip().split()]
ar = [int(a) for a in input().strip().split()]
i = 0
c = n
count = 0
while t:
if c < 5:
count += n - c
c += n - c
c -= Ar[i]
t -= 1
i += 1
print(count) |
class Benchmark():
def __init__(self):
super().__init__()
#Domain should be a list of lists where each list yields the minimum and maximum value for one of the variables.
pass
def calculate(self, x_var, y_var):
pass
def clip_to_domain(self, x_var, y_var):
if x_var < self.domain[0][0]:
x_var = tf.Variable(self.domain[0][0])
if x_var > self.domain[0][1]:
x_var = tf.Variable(self.domain[0][1])
if y_var < self.domain[1][0]:
y_var = tf.Variable(self.domain[1][0])
if y_var > self.domain[1][1]:
y_var = tf.Variable(self.domain[1][1])
return x_var, y_var
| class Benchmark:
def __init__(self):
super().__init__()
pass
def calculate(self, x_var, y_var):
pass
def clip_to_domain(self, x_var, y_var):
if x_var < self.domain[0][0]:
x_var = tf.Variable(self.domain[0][0])
if x_var > self.domain[0][1]:
x_var = tf.Variable(self.domain[0][1])
if y_var < self.domain[1][0]:
y_var = tf.Variable(self.domain[1][0])
if y_var > self.domain[1][1]:
y_var = tf.Variable(self.domain[1][1])
return (x_var, y_var) |
#
# PySNMP MIB module HUAWEI-L3VPN-EXT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HUAWEI-L3VPN-EXT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 13:45:58 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueRangeConstraint, ValueSizeConstraint, SingleValueConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsUnion")
hwDatacomm, = mibBuilder.importSymbols("HUAWEI-MIB", "hwDatacomm")
InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex")
EnabledStatus, = mibBuilder.importSymbols("P-BRIDGE-MIB", "EnabledStatus")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
Gauge32, NotificationType, iso, Bits, MibIdentifier, ModuleIdentity, Unsigned32, Counter64, IpAddress, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, ObjectIdentity, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "NotificationType", "iso", "Bits", "MibIdentifier", "ModuleIdentity", "Unsigned32", "Counter64", "IpAddress", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "ObjectIdentity", "Integer32")
TextualConvention, RowStatus, DisplayString, TimeStamp, DateAndTime = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "RowStatus", "DisplayString", "TimeStamp", "DateAndTime")
hwL3vpn = ModuleIdentity((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150))
if mibBuilder.loadTexts: hwL3vpn.setLastUpdated('200902171659Z')
if mibBuilder.loadTexts: hwL3vpn.setOrganization('Huawei Technologies Co., Ltd.')
if mibBuilder.loadTexts: hwL3vpn.setContactInfo('R&D BeiJing, Huawei Technologies co.,Ltd. Huawei Bld.,NO.3 Xinxi Rd., Shang-Di Information Industry Base, Hai-Dian District Beijing P.R. China http://www.huawei.com Zip:100085 ')
if mibBuilder.loadTexts: hwL3vpn.setDescription("The HUAWEI-L3VPN-EXT-MIB contains objects to statistic L3VPN's traffic.")
hwL3vpnStatMibObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1))
hwL3vpnStatisticsTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1), )
if mibBuilder.loadTexts: hwL3vpnStatisticsTable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatisticsTable.setDescription("This table contains the L3VPN's Traffic Statistic.")
hwL3vpnStatisticsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1), ).setIndexNames((0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnVrfIndex"))
if mibBuilder.loadTexts: hwL3vpnStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatisticsEntry.setDescription("Provides the information of the L3VPN's Traffic Statistic.")
hwL3vpnVrfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: hwL3vpnVrfIndex.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnVrfIndex.setDescription('The index of L3vpn instance.')
hwL3vpnStatEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 2), EnabledStatus().clone()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwL3vpnStatEnable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatEnable.setDescription("This object indicates the enable sign of L3VPN's traffic statistics.")
hwL3vpnVrfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnVrfName.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnVrfName.setDescription("This object indicates the VRF's name.")
hwL3vpnStatInTrafficRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 4), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInTrafficRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInTrafficRate.setDescription('Average bytes of the traffic received per second.')
hwL3vpnStatOutTrafficRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 5), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutTrafficRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutTrafficRate.setDescription('Average bytes of the traffic transmitted out per second .')
hwL3vpnStatInPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInPacketsRate.setDescription('Average packets of the traffic received per second.')
hwL3vpnStatOutPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutPacketsRate.setDescription('Average packets of the traffic transmitted out per second.')
hwL3vpnStatInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInBytes.setDescription('The total number of bytes received.')
hwL3vpnStatOutBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutBytes.setDescription('The total number of bytes transmitted out.')
hwL3vpnStatInPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInPackets.setDescription('The total number of Packets received.')
hwL3vpnStatOutPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutPackets.setDescription('The total number of Packets transmitted out.')
hwL3vpnStatInUnicastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 12), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInUnicastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInUnicastPackets.setDescription('The total number of unicast Packets received.')
hwL3vpnStatOutUnicastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutUnicastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutUnicastPackets.setDescription('The total number of unicast Packets transmitted out.')
hwL3vpnStatInMulticastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInMulticastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInMulticastPackets.setDescription('The total number of multicast Packets received.')
hwL3vpnStatOutMulticastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 15), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutMulticastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutMulticastPackets.setDescription('The total number of multicast Packets transmitted out.')
hwL3vpnStatInBroadcastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 16), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatInBroadcastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatInBroadcastPackets.setDescription('The total number of broadcast Packets received.')
hwL3vpnStatOutBroadcastPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatOutBroadcastPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatOutBroadcastPackets.setDescription('The total number of broadcast Packets transmitted out.')
hwL3vpnStatResetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 18), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatResetTime.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatResetTime.setDescription('Last time of clean out.')
hwL3vpnStatResetStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("resetStatistic", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwL3vpnStatResetStatistic.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatResetStatistic.setDescription('Reset traffic statistics of the vpn instance.')
hwL3vpnQosStatisticsTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2), )
if mibBuilder.loadTexts: hwL3vpnQosStatisticsTable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatisticsTable.setDescription("This table contains the L3VPN's Qos traffic statistics.")
hwL3vpnQosStatisticsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1), ).setIndexNames((0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatVrfIndex"), (0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatQueueID"))
if mibBuilder.loadTexts: hwL3vpnQosStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatisticsEntry.setDescription("Provides the information of the L3VPN's Qos traffic statistics.")
hwL3vpnQosStatVrfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 1), Unsigned32())
if mibBuilder.loadTexts: hwL3vpnQosStatVrfIndex.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatVrfIndex.setDescription('Index of the vpn instance.')
hwL3vpnQosStatQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("be", 1), ("af1", 2), ("af2", 3), ("af3", 4), ("af4", 5), ("ef", 6), ("cs6", 7), ("cs7", 8))))
if mibBuilder.loadTexts: hwL3vpnQosStatQueueID.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatQueueID.setDescription("This object indicates the queue's ID. The value must be be,af1,af2,af3,af4,ef,cs6,cs7.")
hwL3vpnQosStatPassPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatPassPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatPassPackets.setDescription('Number of total passed packets, based on the vpn instance.')
hwL3vpnQosStatPassBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatPassBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatPassBytes.setDescription('Number of total passed bytes, based on the vpn instance.')
hwL3vpnQosStatDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardPackets.setDescription('Number of total discarded packets, based on the vpn instance.')
hwL3vpnQosStatDiscardBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardBytes.setDescription('Number of total discarded bytes, based on the vpn instance.')
hwL3vpnQosStatPassPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatPassPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatPassPacketsRate.setDescription('Rate of passed packets for the past 30 seconds, based on the vpn instance. Unit: pps')
hwL3vpnQosStatPassBytesRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatPassBytesRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatPassBytesRate.setDescription('Rate of passed bytes for the past 30 seconds, based on the vpn instance. Unit: bps')
hwL3vpnQosStatDiscardPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardPacketsRate.setDescription('Rate of discarded packets for the past 30 seconds, based on the vpn instance. Unit: pps')
hwL3vpnQosStatDiscardBytesRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardBytesRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatDiscardBytesRate.setDescription('Rate of discarded bytes for the past 30 seconds, based on the vpn instance. Unit: bps')
hwL3vpnPeerStatisticsTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3), )
if mibBuilder.loadTexts: hwL3vpnPeerStatisticsTable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatisticsTable.setDescription("This table contains the L3VPN's Traffic Statistic.")
hwL3vpnPeerStatisticsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1), ).setIndexNames((0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerVrfIndex"), (0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatPeerAddress"))
if mibBuilder.loadTexts: hwL3vpnPeerStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatisticsEntry.setDescription("Provides the information of the L3VPN Peer's Traffic Statistic.")
hwL3vpnPeerVrfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 1), Unsigned32())
if mibBuilder.loadTexts: hwL3vpnPeerVrfIndex.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerVrfIndex.setDescription('The index of L3vpn instance.')
hwL3vpnPeerStatPeerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 2), IpAddress())
if mibBuilder.loadTexts: hwL3vpnPeerStatPeerAddress.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatPeerAddress.setDescription('The peer IP address of L3vpn instance.')
hwL3vpnPeerStatEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 3), EnabledStatus().clone()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwL3vpnPeerStatEnable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatEnable.setDescription("This object indicates the enable sign of L3VPN peer's traffic statistics.")
hwL3vpnPeerStatResetStatistic = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("resetStatistic", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: hwL3vpnPeerStatResetStatistic.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatResetStatistic.setDescription('Reset traffic statistics for peer of the L3vpn instance.')
hwL3vpnPeerVrfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerVrfName.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerVrfName.setDescription("This object indicates the VRF's name.")
hwL3vpnPeerStatResetTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 6), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerStatResetTime.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatResetTime.setDescription('Last time of clean out.')
hwL3vpnPeerStatQosPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerStatQosPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatQosPacketsRate.setDescription('Average packets of the traffic transmitted out per second.')
hwL3vpnPeerStatQosBytesRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerStatQosBytesRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatQosBytesRate.setDescription('Average bytes of the traffic transmitted out per second .')
hwL3vpnPeerStatQosPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerStatQosPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatQosPackets.setDescription('The total number of Packets transmitted out.')
hwL3vpnPeerStatQosBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerStatQosBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatQosBytes.setDescription('The total number of bytes transmitted out.')
hwL3vpnPeerQosStatisticsTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4), )
if mibBuilder.loadTexts: hwL3vpnPeerQosStatisticsTable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatisticsTable.setDescription("This table contains the L3vpn Peer's Qos traffic statistics.")
hwL3vpnPeerQosStatisticsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1), ).setIndexNames((0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatVrfIndex"), (0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatPeerAddress"), (0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatQueueID"))
if mibBuilder.loadTexts: hwL3vpnPeerQosStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatisticsEntry.setDescription("Provides the information of the L3VPN Peer's Qos traffic statistics.")
hwL3vpnPeerQosStatVrfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 1), Unsigned32())
if mibBuilder.loadTexts: hwL3vpnPeerQosStatVrfIndex.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatVrfIndex.setDescription('Index of the vpn instance.')
hwL3vpnPeerQosStatPeerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 2), IpAddress())
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPeerAddress.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPeerAddress.setDescription('The peer IP address of L3vpn instance.')
hwL3vpnPeerQosStatQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("be", 1), ("af1", 2), ("af2", 3), ("af3", 4), ("af4", 5), ("ef", 6), ("cs6", 7), ("cs7", 8))))
if mibBuilder.loadTexts: hwL3vpnPeerQosStatQueueID.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatQueueID.setDescription("This object indicates the queue's ID. The value must be be,af1,af2,af3,af4,ef,cs6,cs7.")
hwL3vpnPeerQosStatPassPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassPackets.setDescription('Number of total passed packets, based on peer of the vpn instance.')
hwL3vpnPeerQosStatPassBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassBytes.setDescription('Number of total passed bytes, based on peer of the vpn instance.')
hwL3vpnPeerQosStatDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardPackets.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardPackets.setDescription('Number of total discarded packets, based on peer of the vpn instance.')
hwL3vpnPeerQosStatDiscardBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardBytes.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardBytes.setDescription('Number of total discarded bytes, based on peer of the vpn instance.')
hwL3vpnPeerQosStatPassPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassPacketsRate.setDescription('Rate of passed packets for the past 30 seconds, based on peer of the vpn instance. Unit: pps')
hwL3vpnPeerQosStatPassBytesRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassBytesRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatPassBytesRate.setDescription('Rate of passed bytes for the past 30 seconds, based on peer of the vpn instance. Unit: bps')
hwL3vpnPeerQosStatDiscardPacketsRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardPacketsRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardPacketsRate.setDescription('Rate of discarded packets for the past 30 seconds, based on peer of the vpn instance. Unit: pps')
hwL3vpnPeerQosStatDiscardBytesRate = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 11), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardBytesRate.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatDiscardBytesRate.setDescription('Rate of discarded bytes for the past 30 seconds, based on peer of the vpn instance. Unit: bps')
hwL3vpnStatMapTable = MibTable((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5), )
if mibBuilder.loadTexts: hwL3vpnStatMapTable.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatMapTable.setDescription('This table contains the map of L3vpn name and index.')
hwL3vpnStatMapEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1), ).setIndexNames((0, "HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatMapVrfName"))
if mibBuilder.loadTexts: hwL3vpnStatMapEntry.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatMapEntry.setDescription('Provides the mapping information of the L3vpn name and L3vpn index.')
hwL3vpnStatMapVrfName = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31)))
if mibBuilder.loadTexts: hwL3vpnStatMapVrfName.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatMapVrfName.setDescription("This object indicates the vpn instance's name.")
hwL3vpnStatMapVrfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: hwL3vpnStatMapVrfIndex.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatMapVrfIndex.setDescription('Index of the vpn instance.')
hwL3vpnConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2))
hwL3vpnGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1))
hwL3vpnStatisticsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 1)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatEnable"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnVrfName"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInTrafficRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutTrafficRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInUnicastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutUnicastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInMulticastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutMulticastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatInBroadcastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatOutBroadcastPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatResetTime"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatResetStatistic"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnStatisticsGroup = hwL3vpnStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatisticsGroup.setDescription('The L3vpn Statistics Group.')
hwL3vpnQosStatisticsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 2)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatPassPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatPassBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatDiscardPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatDiscardBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatPassPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatPassBytesRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatDiscardPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnQosStatDiscardBytesRate"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnQosStatisticsGroup = hwL3vpnQosStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnQosStatisticsGroup.setDescription('The L3vpn Qos Statistics Group.')
hwL3vpnPeerStatisticsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 3)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatEnable"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatResetStatistic"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerVrfName"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatResetTime"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatQosPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatQosBytesRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatQosPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerStatQosBytes"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnPeerStatisticsGroup = hwL3vpnPeerStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerStatisticsGroup.setDescription('The L3vpn Statistics Group.')
hwL3vpnPeerQosStatisticsGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 4)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatPassPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatPassBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatDiscardPackets"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatDiscardBytes"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatPassPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatPassBytesRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatDiscardPacketsRate"), ("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnPeerQosStatDiscardBytesRate"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnPeerQosStatisticsGroup = hwL3vpnPeerQosStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnPeerQosStatisticsGroup.setDescription('The L3vpn Qos Statistics Group.')
hwL3vpnStatMapGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 5)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatMapVrfIndex"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnStatMapGroup = hwL3vpnStatMapGroup.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnStatMapGroup.setDescription('The L3vpn Stat Map Group.')
hwL3vpnCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 2))
hwL3vpnCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 2, 1)).setObjects(("HUAWEI-L3VPN-EXT-MIB", "hwL3vpnStatisticsGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hwL3vpnCompliance = hwL3vpnCompliance.setStatus('current')
if mibBuilder.loadTexts: hwL3vpnCompliance.setDescription('The compliance statement for HUAWEI-L3VPN-EXT-MIB.')
mibBuilder.exportSymbols("HUAWEI-L3VPN-EXT-MIB", hwL3vpnStatInPackets=hwL3vpnStatInPackets, hwL3vpnStatInUnicastPackets=hwL3vpnStatInUnicastPackets, hwL3vpnStatMibObjects=hwL3vpnStatMibObjects, hwL3vpnStatEnable=hwL3vpnStatEnable, hwL3vpnPeerStatResetStatistic=hwL3vpnPeerStatResetStatistic, hwL3vpnPeerQosStatisticsTable=hwL3vpnPeerQosStatisticsTable, hwL3vpnPeerQosStatPassPacketsRate=hwL3vpnPeerQosStatPassPacketsRate, hwL3vpnQosStatisticsEntry=hwL3vpnQosStatisticsEntry, hwL3vpnStatisticsTable=hwL3vpnStatisticsTable, hwL3vpnPeerStatQosBytes=hwL3vpnPeerStatQosBytes, hwL3vpnConformance=hwL3vpnConformance, hwL3vpnQosStatQueueID=hwL3vpnQosStatQueueID, hwL3vpnQosStatDiscardPackets=hwL3vpnQosStatDiscardPackets, hwL3vpnPeerStatEnable=hwL3vpnPeerStatEnable, hwL3vpnPeerQosStatDiscardBytesRate=hwL3vpnPeerQosStatDiscardBytesRate, hwL3vpnStatMapEntry=hwL3vpnStatMapEntry, hwL3vpnStatOutPacketsRate=hwL3vpnStatOutPacketsRate, hwL3vpnQosStatPassPacketsRate=hwL3vpnQosStatPassPacketsRate, hwL3vpnQosStatVrfIndex=hwL3vpnQosStatVrfIndex, hwL3vpnQosStatPassBytesRate=hwL3vpnQosStatPassBytesRate, hwL3vpnPeerStatQosPacketsRate=hwL3vpnPeerStatQosPacketsRate, hwL3vpnPeerVrfName=hwL3vpnPeerVrfName, hwL3vpnQosStatDiscardBytesRate=hwL3vpnQosStatDiscardBytesRate, hwL3vpnPeerQosStatDiscardBytes=hwL3vpnPeerQosStatDiscardBytes, hwL3vpnStatMapTable=hwL3vpnStatMapTable, hwL3vpnStatMapVrfName=hwL3vpnStatMapVrfName, hwL3vpnStatInMulticastPackets=hwL3vpnStatInMulticastPackets, hwL3vpnPeerStatResetTime=hwL3vpnPeerStatResetTime, hwL3vpnPeerQosStatDiscardPackets=hwL3vpnPeerQosStatDiscardPackets, hwL3vpnPeerQosStatDiscardPacketsRate=hwL3vpnPeerQosStatDiscardPacketsRate, hwL3vpnStatMapVrfIndex=hwL3vpnStatMapVrfIndex, hwL3vpnStatOutTrafficRate=hwL3vpnStatOutTrafficRate, hwL3vpnPeerStatisticsEntry=hwL3vpnPeerStatisticsEntry, hwL3vpnStatInTrafficRate=hwL3vpnStatInTrafficRate, hwL3vpnPeerVrfIndex=hwL3vpnPeerVrfIndex, hwL3vpnQosStatDiscardPacketsRate=hwL3vpnQosStatDiscardPacketsRate, hwL3vpnPeerQosStatPassBytesRate=hwL3vpnPeerQosStatPassBytesRate, hwL3vpnStatResetTime=hwL3vpnStatResetTime, hwL3vpnQosStatisticsGroup=hwL3vpnQosStatisticsGroup, hwL3vpnPeerQosStatQueueID=hwL3vpnPeerQosStatQueueID, hwL3vpn=hwL3vpn, hwL3vpnQosStatPassBytes=hwL3vpnQosStatPassBytes, hwL3vpnPeerQosStatPeerAddress=hwL3vpnPeerQosStatPeerAddress, hwL3vpnStatMapGroup=hwL3vpnStatMapGroup, hwL3vpnStatResetStatistic=hwL3vpnStatResetStatistic, hwL3vpnPeerQosStatPassPackets=hwL3vpnPeerQosStatPassPackets, hwL3vpnStatInBytes=hwL3vpnStatInBytes, hwL3vpnStatOutPackets=hwL3vpnStatOutPackets, hwL3vpnStatOutUnicastPackets=hwL3vpnStatOutUnicastPackets, hwL3vpnStatOutMulticastPackets=hwL3vpnStatOutMulticastPackets, hwL3vpnStatOutBroadcastPackets=hwL3vpnStatOutBroadcastPackets, hwL3vpnPeerStatisticsTable=hwL3vpnPeerStatisticsTable, hwL3vpnGroups=hwL3vpnGroups, hwL3vpnVrfIndex=hwL3vpnVrfIndex, hwL3vpnPeerStatQosBytesRate=hwL3vpnPeerStatQosBytesRate, PYSNMP_MODULE_ID=hwL3vpn, hwL3vpnStatInPacketsRate=hwL3vpnStatInPacketsRate, hwL3vpnStatInBroadcastPackets=hwL3vpnStatInBroadcastPackets, hwL3vpnStatisticsGroup=hwL3vpnStatisticsGroup, hwL3vpnPeerStatPeerAddress=hwL3vpnPeerStatPeerAddress, hwL3vpnPeerQosStatisticsEntry=hwL3vpnPeerQosStatisticsEntry, hwL3vpnCompliance=hwL3vpnCompliance, hwL3vpnPeerQosStatPassBytes=hwL3vpnPeerQosStatPassBytes, hwL3vpnPeerStatisticsGroup=hwL3vpnPeerStatisticsGroup, hwL3vpnVrfName=hwL3vpnVrfName, hwL3vpnPeerQosStatisticsGroup=hwL3vpnPeerQosStatisticsGroup, hwL3vpnPeerQosStatVrfIndex=hwL3vpnPeerQosStatVrfIndex, hwL3vpnStatOutBytes=hwL3vpnStatOutBytes, hwL3vpnQosStatPassPackets=hwL3vpnQosStatPassPackets, hwL3vpnCompliances=hwL3vpnCompliances, hwL3vpnQosStatisticsTable=hwL3vpnQosStatisticsTable, hwL3vpnPeerStatQosPackets=hwL3vpnPeerStatQosPackets, hwL3vpnStatisticsEntry=hwL3vpnStatisticsEntry, hwL3vpnQosStatDiscardBytes=hwL3vpnQosStatDiscardBytes)
| (object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, value_size_constraint, single_value_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsUnion')
(hw_datacomm,) = mibBuilder.importSymbols('HUAWEI-MIB', 'hwDatacomm')
(interface_index,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndex')
(enabled_status,) = mibBuilder.importSymbols('P-BRIDGE-MIB', 'EnabledStatus')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(gauge32, notification_type, iso, bits, mib_identifier, module_identity, unsigned32, counter64, ip_address, time_ticks, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, object_identity, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'NotificationType', 'iso', 'Bits', 'MibIdentifier', 'ModuleIdentity', 'Unsigned32', 'Counter64', 'IpAddress', 'TimeTicks', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'ObjectIdentity', 'Integer32')
(textual_convention, row_status, display_string, time_stamp, date_and_time) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'RowStatus', 'DisplayString', 'TimeStamp', 'DateAndTime')
hw_l3vpn = module_identity((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150))
if mibBuilder.loadTexts:
hwL3vpn.setLastUpdated('200902171659Z')
if mibBuilder.loadTexts:
hwL3vpn.setOrganization('Huawei Technologies Co., Ltd.')
if mibBuilder.loadTexts:
hwL3vpn.setContactInfo('R&D BeiJing, Huawei Technologies co.,Ltd. Huawei Bld.,NO.3 Xinxi Rd., Shang-Di Information Industry Base, Hai-Dian District Beijing P.R. China http://www.huawei.com Zip:100085 ')
if mibBuilder.loadTexts:
hwL3vpn.setDescription("The HUAWEI-L3VPN-EXT-MIB contains objects to statistic L3VPN's traffic.")
hw_l3vpn_stat_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1))
hw_l3vpn_statistics_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1))
if mibBuilder.loadTexts:
hwL3vpnStatisticsTable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatisticsTable.setDescription("This table contains the L3VPN's Traffic Statistic.")
hw_l3vpn_statistics_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1)).setIndexNames((0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnVrfIndex'))
if mibBuilder.loadTexts:
hwL3vpnStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatisticsEntry.setDescription("Provides the information of the L3VPN's Traffic Statistic.")
hw_l3vpn_vrf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
hwL3vpnVrfIndex.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnVrfIndex.setDescription('The index of L3vpn instance.')
hw_l3vpn_stat_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 2), enabled_status().clone()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwL3vpnStatEnable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatEnable.setDescription("This object indicates the enable sign of L3VPN's traffic statistics.")
hw_l3vpn_vrf_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnVrfName.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnVrfName.setDescription("This object indicates the VRF's name.")
hw_l3vpn_stat_in_traffic_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 4), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInTrafficRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInTrafficRate.setDescription('Average bytes of the traffic received per second.')
hw_l3vpn_stat_out_traffic_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 5), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutTrafficRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutTrafficRate.setDescription('Average bytes of the traffic transmitted out per second .')
hw_l3vpn_stat_in_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInPacketsRate.setDescription('Average packets of the traffic received per second.')
hw_l3vpn_stat_out_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutPacketsRate.setDescription('Average packets of the traffic transmitted out per second.')
hw_l3vpn_stat_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInBytes.setDescription('The total number of bytes received.')
hw_l3vpn_stat_out_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutBytes.setDescription('The total number of bytes transmitted out.')
hw_l3vpn_stat_in_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInPackets.setDescription('The total number of Packets received.')
hw_l3vpn_stat_out_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutPackets.setDescription('The total number of Packets transmitted out.')
hw_l3vpn_stat_in_unicast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 12), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInUnicastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInUnicastPackets.setDescription('The total number of unicast Packets received.')
hw_l3vpn_stat_out_unicast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutUnicastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutUnicastPackets.setDescription('The total number of unicast Packets transmitted out.')
hw_l3vpn_stat_in_multicast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInMulticastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInMulticastPackets.setDescription('The total number of multicast Packets received.')
hw_l3vpn_stat_out_multicast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 15), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutMulticastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutMulticastPackets.setDescription('The total number of multicast Packets transmitted out.')
hw_l3vpn_stat_in_broadcast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 16), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatInBroadcastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatInBroadcastPackets.setDescription('The total number of broadcast Packets received.')
hw_l3vpn_stat_out_broadcast_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatOutBroadcastPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatOutBroadcastPackets.setDescription('The total number of broadcast Packets transmitted out.')
hw_l3vpn_stat_reset_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 18), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatResetTime.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatResetTime.setDescription('Last time of clean out.')
hw_l3vpn_stat_reset_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 1, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('resetStatistic', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwL3vpnStatResetStatistic.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatResetStatistic.setDescription('Reset traffic statistics of the vpn instance.')
hw_l3vpn_qos_statistics_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2))
if mibBuilder.loadTexts:
hwL3vpnQosStatisticsTable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatisticsTable.setDescription("This table contains the L3VPN's Qos traffic statistics.")
hw_l3vpn_qos_statistics_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1)).setIndexNames((0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatVrfIndex'), (0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatQueueID'))
if mibBuilder.loadTexts:
hwL3vpnQosStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatisticsEntry.setDescription("Provides the information of the L3VPN's Qos traffic statistics.")
hw_l3vpn_qos_stat_vrf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 1), unsigned32())
if mibBuilder.loadTexts:
hwL3vpnQosStatVrfIndex.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatVrfIndex.setDescription('Index of the vpn instance.')
hw_l3vpn_qos_stat_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('be', 1), ('af1', 2), ('af2', 3), ('af3', 4), ('af4', 5), ('ef', 6), ('cs6', 7), ('cs7', 8))))
if mibBuilder.loadTexts:
hwL3vpnQosStatQueueID.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatQueueID.setDescription("This object indicates the queue's ID. The value must be be,af1,af2,af3,af4,ef,cs6,cs7.")
hw_l3vpn_qos_stat_pass_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassPackets.setDescription('Number of total passed packets, based on the vpn instance.')
hw_l3vpn_qos_stat_pass_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassBytes.setDescription('Number of total passed bytes, based on the vpn instance.')
hw_l3vpn_qos_stat_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardPackets.setDescription('Number of total discarded packets, based on the vpn instance.')
hw_l3vpn_qos_stat_discard_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardBytes.setDescription('Number of total discarded bytes, based on the vpn instance.')
hw_l3vpn_qos_stat_pass_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassPacketsRate.setDescription('Rate of passed packets for the past 30 seconds, based on the vpn instance. Unit: pps')
hw_l3vpn_qos_stat_pass_bytes_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassBytesRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatPassBytesRate.setDescription('Rate of passed bytes for the past 30 seconds, based on the vpn instance. Unit: bps')
hw_l3vpn_qos_stat_discard_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardPacketsRate.setDescription('Rate of discarded packets for the past 30 seconds, based on the vpn instance. Unit: pps')
hw_l3vpn_qos_stat_discard_bytes_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 2, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardBytesRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatDiscardBytesRate.setDescription('Rate of discarded bytes for the past 30 seconds, based on the vpn instance. Unit: bps')
hw_l3vpn_peer_statistics_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3))
if mibBuilder.loadTexts:
hwL3vpnPeerStatisticsTable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatisticsTable.setDescription("This table contains the L3VPN's Traffic Statistic.")
hw_l3vpn_peer_statistics_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1)).setIndexNames((0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerVrfIndex'), (0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatPeerAddress'))
if mibBuilder.loadTexts:
hwL3vpnPeerStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatisticsEntry.setDescription("Provides the information of the L3VPN Peer's Traffic Statistic.")
hw_l3vpn_peer_vrf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 1), unsigned32())
if mibBuilder.loadTexts:
hwL3vpnPeerVrfIndex.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerVrfIndex.setDescription('The index of L3vpn instance.')
hw_l3vpn_peer_stat_peer_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 2), ip_address())
if mibBuilder.loadTexts:
hwL3vpnPeerStatPeerAddress.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatPeerAddress.setDescription('The peer IP address of L3vpn instance.')
hw_l3vpn_peer_stat_enable = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 3), enabled_status().clone()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwL3vpnPeerStatEnable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatEnable.setDescription("This object indicates the enable sign of L3VPN peer's traffic statistics.")
hw_l3vpn_peer_stat_reset_statistic = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('resetStatistic', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
hwL3vpnPeerStatResetStatistic.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatResetStatistic.setDescription('Reset traffic statistics for peer of the L3vpn instance.')
hw_l3vpn_peer_vrf_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerVrfName.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerVrfName.setDescription("This object indicates the VRF's name.")
hw_l3vpn_peer_stat_reset_time = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 6), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerStatResetTime.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatResetTime.setDescription('Last time of clean out.')
hw_l3vpn_peer_stat_qos_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosPacketsRate.setDescription('Average packets of the traffic transmitted out per second.')
hw_l3vpn_peer_stat_qos_bytes_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosBytesRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosBytesRate.setDescription('Average bytes of the traffic transmitted out per second .')
hw_l3vpn_peer_stat_qos_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosPackets.setDescription('The total number of Packets transmitted out.')
hw_l3vpn_peer_stat_qos_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 3, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatQosBytes.setDescription('The total number of bytes transmitted out.')
hw_l3vpn_peer_qos_statistics_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4))
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatisticsTable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatisticsTable.setDescription("This table contains the L3vpn Peer's Qos traffic statistics.")
hw_l3vpn_peer_qos_statistics_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1)).setIndexNames((0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatVrfIndex'), (0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatPeerAddress'), (0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatQueueID'))
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatisticsEntry.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatisticsEntry.setDescription("Provides the information of the L3VPN Peer's Qos traffic statistics.")
hw_l3vpn_peer_qos_stat_vrf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 1), unsigned32())
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatVrfIndex.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatVrfIndex.setDescription('Index of the vpn instance.')
hw_l3vpn_peer_qos_stat_peer_address = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 2), ip_address())
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPeerAddress.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPeerAddress.setDescription('The peer IP address of L3vpn instance.')
hw_l3vpn_peer_qos_stat_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('be', 1), ('af1', 2), ('af2', 3), ('af3', 4), ('af4', 5), ('ef', 6), ('cs6', 7), ('cs7', 8))))
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatQueueID.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatQueueID.setDescription("This object indicates the queue's ID. The value must be be,af1,af2,af3,af4,ef,cs6,cs7.")
hw_l3vpn_peer_qos_stat_pass_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassPackets.setDescription('Number of total passed packets, based on peer of the vpn instance.')
hw_l3vpn_peer_qos_stat_pass_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassBytes.setDescription('Number of total passed bytes, based on peer of the vpn instance.')
hw_l3vpn_peer_qos_stat_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardPackets.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardPackets.setDescription('Number of total discarded packets, based on peer of the vpn instance.')
hw_l3vpn_peer_qos_stat_discard_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardBytes.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardBytes.setDescription('Number of total discarded bytes, based on peer of the vpn instance.')
hw_l3vpn_peer_qos_stat_pass_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassPacketsRate.setDescription('Rate of passed packets for the past 30 seconds, based on peer of the vpn instance. Unit: pps')
hw_l3vpn_peer_qos_stat_pass_bytes_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassBytesRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatPassBytesRate.setDescription('Rate of passed bytes for the past 30 seconds, based on peer of the vpn instance. Unit: bps')
hw_l3vpn_peer_qos_stat_discard_packets_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardPacketsRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardPacketsRate.setDescription('Rate of discarded packets for the past 30 seconds, based on peer of the vpn instance. Unit: pps')
hw_l3vpn_peer_qos_stat_discard_bytes_rate = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 4, 1, 11), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardBytesRate.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatDiscardBytesRate.setDescription('Rate of discarded bytes for the past 30 seconds, based on peer of the vpn instance. Unit: bps')
hw_l3vpn_stat_map_table = mib_table((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5))
if mibBuilder.loadTexts:
hwL3vpnStatMapTable.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatMapTable.setDescription('This table contains the map of L3vpn name and index.')
hw_l3vpn_stat_map_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1)).setIndexNames((0, 'HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatMapVrfName'))
if mibBuilder.loadTexts:
hwL3vpnStatMapEntry.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatMapEntry.setDescription('Provides the mapping information of the L3vpn name and L3vpn index.')
hw_l3vpn_stat_map_vrf_name = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31)))
if mibBuilder.loadTexts:
hwL3vpnStatMapVrfName.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatMapVrfName.setDescription("This object indicates the vpn instance's name.")
hw_l3vpn_stat_map_vrf_index = mib_table_column((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 1, 5, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
hwL3vpnStatMapVrfIndex.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatMapVrfIndex.setDescription('Index of the vpn instance.')
hw_l3vpn_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2))
hw_l3vpn_groups = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1))
hw_l3vpn_statistics_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 1)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatEnable'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnVrfName'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInTrafficRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutTrafficRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInUnicastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutUnicastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInMulticastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutMulticastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatInBroadcastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatOutBroadcastPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatResetTime'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatResetStatistic'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_statistics_group = hwL3vpnStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatisticsGroup.setDescription('The L3vpn Statistics Group.')
hw_l3vpn_qos_statistics_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 2)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatPassPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatPassBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatDiscardPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatDiscardBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatPassPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatPassBytesRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatDiscardPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnQosStatDiscardBytesRate'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_qos_statistics_group = hwL3vpnQosStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnQosStatisticsGroup.setDescription('The L3vpn Qos Statistics Group.')
hw_l3vpn_peer_statistics_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 3)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatEnable'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatResetStatistic'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerVrfName'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatResetTime'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatQosPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatQosBytesRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatQosPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerStatQosBytes'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_peer_statistics_group = hwL3vpnPeerStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerStatisticsGroup.setDescription('The L3vpn Statistics Group.')
hw_l3vpn_peer_qos_statistics_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 4)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatPassPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatPassBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatDiscardPackets'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatDiscardBytes'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatPassPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatPassBytesRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatDiscardPacketsRate'), ('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnPeerQosStatDiscardBytesRate'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_peer_qos_statistics_group = hwL3vpnPeerQosStatisticsGroup.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnPeerQosStatisticsGroup.setDescription('The L3vpn Qos Statistics Group.')
hw_l3vpn_stat_map_group = object_group((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 1, 5)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatMapVrfIndex'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_stat_map_group = hwL3vpnStatMapGroup.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnStatMapGroup.setDescription('The L3vpn Stat Map Group.')
hw_l3vpn_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 2))
hw_l3vpn_compliance = module_compliance((1, 3, 6, 1, 4, 1, 2011, 5, 25, 150, 2, 2, 1)).setObjects(('HUAWEI-L3VPN-EXT-MIB', 'hwL3vpnStatisticsGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
hw_l3vpn_compliance = hwL3vpnCompliance.setStatus('current')
if mibBuilder.loadTexts:
hwL3vpnCompliance.setDescription('The compliance statement for HUAWEI-L3VPN-EXT-MIB.')
mibBuilder.exportSymbols('HUAWEI-L3VPN-EXT-MIB', hwL3vpnStatInPackets=hwL3vpnStatInPackets, hwL3vpnStatInUnicastPackets=hwL3vpnStatInUnicastPackets, hwL3vpnStatMibObjects=hwL3vpnStatMibObjects, hwL3vpnStatEnable=hwL3vpnStatEnable, hwL3vpnPeerStatResetStatistic=hwL3vpnPeerStatResetStatistic, hwL3vpnPeerQosStatisticsTable=hwL3vpnPeerQosStatisticsTable, hwL3vpnPeerQosStatPassPacketsRate=hwL3vpnPeerQosStatPassPacketsRate, hwL3vpnQosStatisticsEntry=hwL3vpnQosStatisticsEntry, hwL3vpnStatisticsTable=hwL3vpnStatisticsTable, hwL3vpnPeerStatQosBytes=hwL3vpnPeerStatQosBytes, hwL3vpnConformance=hwL3vpnConformance, hwL3vpnQosStatQueueID=hwL3vpnQosStatQueueID, hwL3vpnQosStatDiscardPackets=hwL3vpnQosStatDiscardPackets, hwL3vpnPeerStatEnable=hwL3vpnPeerStatEnable, hwL3vpnPeerQosStatDiscardBytesRate=hwL3vpnPeerQosStatDiscardBytesRate, hwL3vpnStatMapEntry=hwL3vpnStatMapEntry, hwL3vpnStatOutPacketsRate=hwL3vpnStatOutPacketsRate, hwL3vpnQosStatPassPacketsRate=hwL3vpnQosStatPassPacketsRate, hwL3vpnQosStatVrfIndex=hwL3vpnQosStatVrfIndex, hwL3vpnQosStatPassBytesRate=hwL3vpnQosStatPassBytesRate, hwL3vpnPeerStatQosPacketsRate=hwL3vpnPeerStatQosPacketsRate, hwL3vpnPeerVrfName=hwL3vpnPeerVrfName, hwL3vpnQosStatDiscardBytesRate=hwL3vpnQosStatDiscardBytesRate, hwL3vpnPeerQosStatDiscardBytes=hwL3vpnPeerQosStatDiscardBytes, hwL3vpnStatMapTable=hwL3vpnStatMapTable, hwL3vpnStatMapVrfName=hwL3vpnStatMapVrfName, hwL3vpnStatInMulticastPackets=hwL3vpnStatInMulticastPackets, hwL3vpnPeerStatResetTime=hwL3vpnPeerStatResetTime, hwL3vpnPeerQosStatDiscardPackets=hwL3vpnPeerQosStatDiscardPackets, hwL3vpnPeerQosStatDiscardPacketsRate=hwL3vpnPeerQosStatDiscardPacketsRate, hwL3vpnStatMapVrfIndex=hwL3vpnStatMapVrfIndex, hwL3vpnStatOutTrafficRate=hwL3vpnStatOutTrafficRate, hwL3vpnPeerStatisticsEntry=hwL3vpnPeerStatisticsEntry, hwL3vpnStatInTrafficRate=hwL3vpnStatInTrafficRate, hwL3vpnPeerVrfIndex=hwL3vpnPeerVrfIndex, hwL3vpnQosStatDiscardPacketsRate=hwL3vpnQosStatDiscardPacketsRate, hwL3vpnPeerQosStatPassBytesRate=hwL3vpnPeerQosStatPassBytesRate, hwL3vpnStatResetTime=hwL3vpnStatResetTime, hwL3vpnQosStatisticsGroup=hwL3vpnQosStatisticsGroup, hwL3vpnPeerQosStatQueueID=hwL3vpnPeerQosStatQueueID, hwL3vpn=hwL3vpn, hwL3vpnQosStatPassBytes=hwL3vpnQosStatPassBytes, hwL3vpnPeerQosStatPeerAddress=hwL3vpnPeerQosStatPeerAddress, hwL3vpnStatMapGroup=hwL3vpnStatMapGroup, hwL3vpnStatResetStatistic=hwL3vpnStatResetStatistic, hwL3vpnPeerQosStatPassPackets=hwL3vpnPeerQosStatPassPackets, hwL3vpnStatInBytes=hwL3vpnStatInBytes, hwL3vpnStatOutPackets=hwL3vpnStatOutPackets, hwL3vpnStatOutUnicastPackets=hwL3vpnStatOutUnicastPackets, hwL3vpnStatOutMulticastPackets=hwL3vpnStatOutMulticastPackets, hwL3vpnStatOutBroadcastPackets=hwL3vpnStatOutBroadcastPackets, hwL3vpnPeerStatisticsTable=hwL3vpnPeerStatisticsTable, hwL3vpnGroups=hwL3vpnGroups, hwL3vpnVrfIndex=hwL3vpnVrfIndex, hwL3vpnPeerStatQosBytesRate=hwL3vpnPeerStatQosBytesRate, PYSNMP_MODULE_ID=hwL3vpn, hwL3vpnStatInPacketsRate=hwL3vpnStatInPacketsRate, hwL3vpnStatInBroadcastPackets=hwL3vpnStatInBroadcastPackets, hwL3vpnStatisticsGroup=hwL3vpnStatisticsGroup, hwL3vpnPeerStatPeerAddress=hwL3vpnPeerStatPeerAddress, hwL3vpnPeerQosStatisticsEntry=hwL3vpnPeerQosStatisticsEntry, hwL3vpnCompliance=hwL3vpnCompliance, hwL3vpnPeerQosStatPassBytes=hwL3vpnPeerQosStatPassBytes, hwL3vpnPeerStatisticsGroup=hwL3vpnPeerStatisticsGroup, hwL3vpnVrfName=hwL3vpnVrfName, hwL3vpnPeerQosStatisticsGroup=hwL3vpnPeerQosStatisticsGroup, hwL3vpnPeerQosStatVrfIndex=hwL3vpnPeerQosStatVrfIndex, hwL3vpnStatOutBytes=hwL3vpnStatOutBytes, hwL3vpnQosStatPassPackets=hwL3vpnQosStatPassPackets, hwL3vpnCompliances=hwL3vpnCompliances, hwL3vpnQosStatisticsTable=hwL3vpnQosStatisticsTable, hwL3vpnPeerStatQosPackets=hwL3vpnPeerStatQosPackets, hwL3vpnStatisticsEntry=hwL3vpnStatisticsEntry, hwL3vpnQosStatDiscardBytes=hwL3vpnQosStatDiscardBytes) |
class Subscriber:
def __init__(self, name):
self.name = name
def update(self, message):
print(f'{self.name} got message {message}')
| class Subscriber:
def __init__(self, name):
self.name = name
def update(self, message):
print(f'{self.name} got message {message}') |
class Point:
def __init__(self,x,y,types,ide) -> None:
self.x = x
self.y = y
self.type = types
self.id = ide
def getID(self):
return self.id
def getX(self):
return self.x
def getY(self):
return self.y
def getType(self):
return self.type
def readNodes(filename):
with open(filename) as file:
lines = file.readlines()
lines.pop(0)
arr = []
for l in lines:
lista = l.strip().split(sep=",")
arr.append(Point(int(lista[1]),int(lista[2]),lista[3],int(lista[0])))
return arr
def readPuntosEntrega(filename):
arr=[[]for _ in range(14)]
e=[[]for _ in range(14)]
with open(filename) as file:
lines = file.readlines()
ide=0
for l in lines:
lista = l.strip().split(",")
arr[ide]=lista
ide+=1
ide=0
for i in range(len(arr)):
for j in range(len(arr[i])):
e[i].append(int(arr[i][j]))
return e
def readAlmacenes(filename):
arr=[]
with open(filename) as file:
lines = file.readlines()
for l in lines:
lista = l.strip().split(",")
arr=lista
for i in range(len(arr)):
arr[i]=int(arr[i])
return arr
def createGrah(n):
g=[[] for _ in range(len(n))]
for i in range(len(n)):
if n[i].getID()-1 >= 0 and n[i].getID() % 1000!=0 and n[i-1].getType() != "CaminoObstruido":
g[i].append(((n[i].getID()-1),10))
if n[i].getID()+1 < len(n) and n[i].getID() % 1000 != 999 and n[i+1].getType() != "CaminoObstruido":
g[i].append(((n[i].getID()+1),10))
if n[i].getID()+1000<len(n) and n[i+1000].getType() != "CaminoObstruido":
g[i].append(((n[i].getID()+1000),15))
if n[i].getID()-1000 >= 0 and n[i-1000].getType() != "CaminoObstruido":
g[i].append(((n[i].getID()-1000),15))
return g
'''
para obtener el grafo:
nodos= readNodes("Puntos.csv")
grafo=createGrah(nodos)
'''
| class Point:
def __init__(self, x, y, types, ide) -> None:
self.x = x
self.y = y
self.type = types
self.id = ide
def get_id(self):
return self.id
def get_x(self):
return self.x
def get_y(self):
return self.y
def get_type(self):
return self.type
def read_nodes(filename):
with open(filename) as file:
lines = file.readlines()
lines.pop(0)
arr = []
for l in lines:
lista = l.strip().split(sep=',')
arr.append(point(int(lista[1]), int(lista[2]), lista[3], int(lista[0])))
return arr
def read_puntos_entrega(filename):
arr = [[] for _ in range(14)]
e = [[] for _ in range(14)]
with open(filename) as file:
lines = file.readlines()
ide = 0
for l in lines:
lista = l.strip().split(',')
arr[ide] = lista
ide += 1
ide = 0
for i in range(len(arr)):
for j in range(len(arr[i])):
e[i].append(int(arr[i][j]))
return e
def read_almacenes(filename):
arr = []
with open(filename) as file:
lines = file.readlines()
for l in lines:
lista = l.strip().split(',')
arr = lista
for i in range(len(arr)):
arr[i] = int(arr[i])
return arr
def create_grah(n):
g = [[] for _ in range(len(n))]
for i in range(len(n)):
if n[i].getID() - 1 >= 0 and n[i].getID() % 1000 != 0 and (n[i - 1].getType() != 'CaminoObstruido'):
g[i].append((n[i].getID() - 1, 10))
if n[i].getID() + 1 < len(n) and n[i].getID() % 1000 != 999 and (n[i + 1].getType() != 'CaminoObstruido'):
g[i].append((n[i].getID() + 1, 10))
if n[i].getID() + 1000 < len(n) and n[i + 1000].getType() != 'CaminoObstruido':
g[i].append((n[i].getID() + 1000, 15))
if n[i].getID() - 1000 >= 0 and n[i - 1000].getType() != 'CaminoObstruido':
g[i].append((n[i].getID() - 1000, 15))
return g
'\n para obtener el grafo:\n nodos= readNodes("Puntos.csv")\n grafo=createGrah(nodos)\n \n' |
#!/usr/bin/env python3
# ## Code:
def get_kth_prime(n:int)->int:
# By Trial and Error, find the uppper bound of the state space
max_n = 9*10**6
# Declare a list of bool values of size max_n
is_prime = [True]*max_n
# We already know that 0 and 1 are not prime
is_prime[0], is_prime[1] = False,False
# Perfome Sieve of Eratosthenes till sqrt(max_n)
i = 2
while i*i < max_n:
if is_prime[i]:
for j in range(i*i, max_n, i):
is_prime[j] = False
i += 1
# Ignore all composite numbers and get a list of prime numbers upto n
prime_t = []
for i in range(max_n):
if is_prime[i]:
prime_t.append(i)
# Return the kth prime number
return prime_t[n-1]
| def get_kth_prime(n: int) -> int:
max_n = 9 * 10 ** 6
is_prime = [True] * max_n
(is_prime[0], is_prime[1]) = (False, False)
i = 2
while i * i < max_n:
if is_prime[i]:
for j in range(i * i, max_n, i):
is_prime[j] = False
i += 1
prime_t = []
for i in range(max_n):
if is_prime[i]:
prime_t.append(i)
return prime_t[n - 1] |
x = int(input())
d = [0] * 1000001
for i in range(2,x+1):
d[i] = d[i-1] + 1
if i%2 == 0:
d[i] = min(d[i], d[i//2] + 1)
if i%3 == 0:
d[i] = min(d[i], d[i//3] + 1)
print(d[x]) | x = int(input())
d = [0] * 1000001
for i in range(2, x + 1):
d[i] = d[i - 1] + 1
if i % 2 == 0:
d[i] = min(d[i], d[i // 2] + 1)
if i % 3 == 0:
d[i] = min(d[i], d[i // 3] + 1)
print(d[x]) |
class PipelineException(Exception):
pass
class CredentialsException(Exception):
pass | class Pipelineexception(Exception):
pass
class Credentialsexception(Exception):
pass |
num = int(input("enter somthing"))
base = int(input("enter a base"))
b = bin(num)[2:]
o = oct(num)[2:]
h = hex(num)[2:]
print(b,o,h)
x = num
lst = []
while x >0:
lst.append(int(x%base))
xmod = x%base
x = (x-xmod)/base
lst.reverse()
print(lst)
x = 0
for i in range(len(lst)):
if lst[i] != 0:
x += base ** (len(lst)-i-1)
print(x)
| num = int(input('enter somthing'))
base = int(input('enter a base'))
b = bin(num)[2:]
o = oct(num)[2:]
h = hex(num)[2:]
print(b, o, h)
x = num
lst = []
while x > 0:
lst.append(int(x % base))
xmod = x % base
x = (x - xmod) / base
lst.reverse()
print(lst)
x = 0
for i in range(len(lst)):
if lst[i] != 0:
x += base ** (len(lst) - i - 1)
print(x) |
def findSeatId(line : str) -> int:
row = findPosition(line[0:7], "F", "B")
column = findPosition(line[7:], "L", "R")
return (row << 3) + column
def findPosition(line : str, goLow: str, goHigh:str) -> int:
pos = 0
stride = 1 << (len(line) - 1)
for c in line:
if c == goHigh:
pos += stride
stride >>= 1
return pos
# A slightly more verbose version that is less trusting of the input
# minInclusive = 0
# maxExclusive = 1 << len(line)
# for c in line:
# if c == goLow:
# maxExclusive -= (maxExclusive - minInclusive) >> 1
# elif c == goHigh:
# minInclusive += (maxExclusive - minInclusive) >> 1
# else:
# raise RuntimeError("Invalid character")
# return minInclusive
def part1():
maxSeatId = -1
idToInt = dict()
with open('day5_input.txt') as input_file:
for line in input_file:
line = line.strip()
if len(line) == 10:
seatId = findSeatId(line)
idToInt[line] = seatId
maxSeatId = max(maxSeatId, seatId)
return (maxSeatId, idToInt)
def part2(idToInt):
usedSeatIds = [v for v in idToInt.values()]
usedSeatIds.sort()
for i in range(0, len(usedSeatIds) - 1):
if usedSeatIds[i+1] != usedSeatIds[i] + 1:
return usedSeatIds[i]+1
return -1
(maxSeatId, idToInt) = part1()
print("Highest seat ID: {}".format(maxSeatId))
mySeatId = part2(idToInt)
print("My seat ID: {}".format(mySeatId))
| def find_seat_id(line: str) -> int:
row = find_position(line[0:7], 'F', 'B')
column = find_position(line[7:], 'L', 'R')
return (row << 3) + column
def find_position(line: str, goLow: str, goHigh: str) -> int:
pos = 0
stride = 1 << len(line) - 1
for c in line:
if c == goHigh:
pos += stride
stride >>= 1
return pos
def part1():
max_seat_id = -1
id_to_int = dict()
with open('day5_input.txt') as input_file:
for line in input_file:
line = line.strip()
if len(line) == 10:
seat_id = find_seat_id(line)
idToInt[line] = seatId
max_seat_id = max(maxSeatId, seatId)
return (maxSeatId, idToInt)
def part2(idToInt):
used_seat_ids = [v for v in idToInt.values()]
usedSeatIds.sort()
for i in range(0, len(usedSeatIds) - 1):
if usedSeatIds[i + 1] != usedSeatIds[i] + 1:
return usedSeatIds[i] + 1
return -1
(max_seat_id, id_to_int) = part1()
print('Highest seat ID: {}'.format(maxSeatId))
my_seat_id = part2(idToInt)
print('My seat ID: {}'.format(mySeatId)) |
class Intersection():
def __init__(self,t,object):
self.t = t
self.object = object
class Intersections(list):
def __init__(self,i):
self += i
def hit(self):
hit = None
pos = list(filter(lambda x: x.t >= 0,self))
if len(pos):
hit = min(pos,key=lambda x:x.t)
return hit | class Intersection:
def __init__(self, t, object):
self.t = t
self.object = object
class Intersections(list):
def __init__(self, i):
self += i
def hit(self):
hit = None
pos = list(filter(lambda x: x.t >= 0, self))
if len(pos):
hit = min(pos, key=lambda x: x.t)
return hit |
class Config:
SECRET_KEY = '86cbed706b49dd1750b080f06d030a23'
SQLALCHEMY_DATABASE_URI = 'sqlite:///database.db'
SQLALCHEMY_TRACK_MODIFICATIONS =False
SESSION_COOKIE_SECURE = True
REMEMBER_COOKIE_SECURE = True
MAIL_SERVER = 'smtp@google.com'
MAIL_PASSWORD = ''
MAIL_USERNAME = ''
MAIL_PORT = 456
MAIL_USE_SSL = True
ELASTICSEARCH_URL = 'http://localhost:9200'
# OAuth Config
# you can get the id and secret from the provider and add them here
# you get them from provider developer site
OAUTH_CREDENTIALS = {
'facebook': {
'id': '',
'secret': ''
}
}
| class Config:
secret_key = '86cbed706b49dd1750b080f06d030a23'
sqlalchemy_database_uri = 'sqlite:///database.db'
sqlalchemy_track_modifications = False
session_cookie_secure = True
remember_cookie_secure = True
mail_server = 'smtp@google.com'
mail_password = ''
mail_username = ''
mail_port = 456
mail_use_ssl = True
elasticsearch_url = 'http://localhost:9200'
oauth_credentials = {'facebook': {'id': '', 'secret': ''}} |
# This tests long ints for 32-bit machine
a = 0x1ffffffff
b = 0x100000000
print(a)
print(b)
print(a + b)
print(a - b)
print(b - a)
# overflows long long implementation
#print(a * b)
print(a // b)
print(a % b)
print(a & b)
print(a | b)
print(a ^ b)
print(a << 3)
print(a >> 1)
a += b
print(a)
a -= 123456
print(a)
a *= 257
print(a)
a //= 257
print(a)
a %= b
print(a)
a ^= b
print(a)
a |= b
print(a)
a &= b
print(a)
a <<= 5
print(a)
a >>= 1
print(a)
# Test referential integrity of long ints
a = 0x1ffffffff
b = a
a += 1
print(a)
print(b)
| a = 8589934591
b = 4294967296
print(a)
print(b)
print(a + b)
print(a - b)
print(b - a)
print(a // b)
print(a % b)
print(a & b)
print(a | b)
print(a ^ b)
print(a << 3)
print(a >> 1)
a += b
print(a)
a -= 123456
print(a)
a *= 257
print(a)
a //= 257
print(a)
a %= b
print(a)
a ^= b
print(a)
a |= b
print(a)
a &= b
print(a)
a <<= 5
print(a)
a >>= 1
print(a)
a = 8589934591
b = a
a += 1
print(a)
print(b) |
#
# PySNMP MIB module CTIF-EXT-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/CTIF-EXT-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:44:24 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint")
ctronMib2, = mibBuilder.importSymbols("CTRON-MIB-NAMES", "ctronMib2")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, TimeTicks, Integer32, Counter32, Counter64, NotificationType, ObjectIdentity, iso, MibIdentifier, ModuleIdentity, Unsigned32, Bits, Gauge32 = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "TimeTicks", "Integer32", "Counter32", "Counter64", "NotificationType", "ObjectIdentity", "iso", "MibIdentifier", "ModuleIdentity", "Unsigned32", "Bits", "Gauge32")
TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString")
commonDev = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1))
ctIf = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2))
ctIfPort = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3))
ctIfCp = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4))
ctSNMP = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5))
ctSonet = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6))
ctVirtual = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7))
ctStats = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8))
ctFramerConfig = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 9))
ctIfHC = MibIdentifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10))
comDeviceTime = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 1), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(6, 6), ValueSizeConstraint(8, 8), ))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: comDeviceTime.setStatus('mandatory')
if mibBuilder.loadTexts: comDeviceTime.setDescription('The current time of day, in 24 hour format, as measured by the device. The representation shall use the standard HHMMSS format.')
comDeviceDate = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: comDeviceDate.setStatus('mandatory')
if mibBuilder.loadTexts: comDeviceDate.setDescription('The current date, as measured by the device. The representation shall use the standard MMDDYYYY format.')
comDeviceBoardMap = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: comDeviceBoardMap.setStatus('mandatory')
if mibBuilder.loadTexts: comDeviceBoardMap.setDescription('Contains a bit encoded representation of slots that contain MIM boards. If a bit is one then that slot is occupied by a board.')
ctIfTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1), )
if mibBuilder.loadTexts: ctIfTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfTable.setDescription('This table defines an extension to the interface table.')
ctIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctIfNumber"))
if mibBuilder.loadTexts: ctIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfEntry.setDescription('This defines each conceptual row within the ctIfTable')
ctIfNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfNumber.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfNumber.setDescription('This defines the interface that is being described. This is the same as ifIndex.')
ctIfPortCnt = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfPortCnt.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortCnt.setDescription('This defines the number of ports on the interface that is being described.')
ctIfConnectionType = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 3), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfConnectionType.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfConnectionType.setDescription('Defines the specific type of the interface connection (BRIM, etc). This is defined within ctron-oids. This differs from the nature of the interface as defined by ifType as found in MIB-II.')
ctIfLAA = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(6, 6)).setFixedLength(6)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctIfLAA.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfLAA.setDescription("This object is used by a device (with a Token Ring interface) to set a Locally Administered Address (LAA) for it's MAC hardware address. When set, this LAA will override the default Universally Administered Address or burned in address of the interface. For devices that do not support LAA: - a read will return all zeros. - any write attempt will return BADVALUE. For devices that support LAA: - valid values are 4000 0000 0000 to 4000 7fff ffff, and 0000 0000 0000 (a value of all zeros, causes interface to use the burned in address). - a set (write) with an invalid value, returns BADVALUE. - after a write, new values will only become active after the Token Ring interface has been closed and then opened again. - a read of ctIfLAA will always return same value as ifPhysAddress, except in the case where; o ctIfLAA has been set, but interface has not yet been closed and reopened, in this case the last set value is returned. Note that a read of ifPhysAddress will always return the physical address currently being used by the interface.")
ctIfDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("other", 1), ("standard", 2), ("full", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctIfDuplex.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfDuplex.setDescription('Defines the duplex mode that the interface is set to operate in. For devices that do not support this capability: - a read will return standard(2). - any write attempt will return BADVALUE. - fast ethernet devices will report other(1).')
ctIfCapability = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("standard", 2), ("fullDuplex", 3), ("fastEthernet", 4), ("ethernetBased", 5)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfCapability.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfCapability.setDescription('Defines the cabability of the underlying hardware in supporting full duplex. This object will have a value of fullDuplex(3) if all hardware is capable of supporting full duplex operation.')
ctIfRedundancy = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("redundant", 1), ("not-redundant", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfRedundancy.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfRedundancy.setDescription('Defines whether or not an interface supports redundancy.')
ctIfPortTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1), )
if mibBuilder.loadTexts: ctIfPortTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortTable.setDescription('This table defines an extension to the interface table.')
ctIfPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctIfPortIfNumber"), (0, "CTIF-EXT-MIB", "ctIfPortPortNumber"))
if mibBuilder.loadTexts: ctIfPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortEntry.setDescription('This defines each conceptual row within the ctIfPortTable')
ctIfPortPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfPortPortNumber.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortPortNumber.setDescription('This defines the port that is being described.')
ctIfPortIfNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfPortIfNumber.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortIfNumber.setDescription('This defines the interface that the port being described is on.')
ctIfPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 3), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfPortType.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortType.setDescription('Defines the specific type of the port (EPIM, TPIM). This is defined within ctron-oids.')
ctIfPortLinkStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("notLinked", 1), ("linked", 2), ("notApplicable", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfPortLinkStatus.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortLinkStatus.setDescription('Defines the status of the port connection.')
ctIfPortTrapStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctIfPortTrapStatus.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfPortTrapStatus.setDescription('Defines the trap forwarding status of the port. A value of (1) indicates that a trap WILL NOT be sent if the port goes down and a value of (2) which is the default value, indicates that a trap WILL be sent if the port goes down.')
ctCpTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1), )
if mibBuilder.loadTexts: ctCpTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctCpTable.setDescription('This table defines a Com Port Table.')
ctCpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctComPort"))
if mibBuilder.loadTexts: ctCpEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctCpEntry.setDescription('This defines each conceptual row within the ctCPTable')
ctComPort = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctComPort.setStatus('mandatory')
if mibBuilder.loadTexts: ctComPort.setDescription('This is the index into the Com Port Table and defines the Com Port that is being described. com1 = 1, com2 = 2')
ctCpFunction = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("lm", 1), ("ups", 2), ("slip", 3), ("ppp", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctCpFunction.setStatus('mandatory')
if mibBuilder.loadTexts: ctCpFunction.setDescription('Defines the Com Port Function supported by that Com Port.')
ctIfNum = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfNum.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfNum.setDescription('This defines the interface that is being described. This is the same as ifIndex. This is only valid if ctCpFunction is SLIP or PPP, otherwise, 0')
ctCpAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disabled", 1), ("enabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctCpAdminStatus.setStatus('mandatory')
if mibBuilder.loadTexts: ctCpAdminStatus.setDescription('The administrative state of the Com Port.')
enableSNMPv1 = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: enableSNMPv1.setStatus('mandatory')
if mibBuilder.loadTexts: enableSNMPv1.setDescription('This object allows control over the SNMPv1 protocol. If set to a value of disable(1) then the SNMPv1 protocol will not be accepted by the device.')
enableSNMPv2 = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: enableSNMPv2.setStatus('mandatory')
if mibBuilder.loadTexts: enableSNMPv2.setDescription('This object allows control over the SNMPv2 protocol. If set to a value of disable(1) then the SNMPv2 protocol will not be accepted by the device.')
enableSNMPv1Counter64 = MibScalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("disable", 1), ("enable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: enableSNMPv1Counter64.setStatus('mandatory')
if mibBuilder.loadTexts: enableSNMPv1Counter64.setDescription('This object allows control over the SNMPv1 protocol agent. If set to a value of enable(2) then the SNMPv1 agent will return Counter64 objects using SNMPv2 syntax. If set to a value of disable(1) then the SNMPv1 agent will return any Counter64 objects as Counter32.')
ctSonetTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1), )
if mibBuilder.loadTexts: ctSonetTable.setStatus('deprecated')
if mibBuilder.loadTexts: ctSonetTable.setDescription('This table defines the Sonet table.')
ctSonetEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctSonetIfIndex"))
if mibBuilder.loadTexts: ctSonetEntry.setStatus('deprecated')
if mibBuilder.loadTexts: ctSonetEntry.setDescription('This defines each conceptual row within the ctSonetTable.')
ctSonetIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctSonetIfIndex.setStatus('deprecated')
if mibBuilder.loadTexts: ctSonetIfIndex.setDescription('This defines the interface being described. It is the same as IfIndex.')
ctSonetMediumType = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("sonet", 1), ("sdh", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctSonetMediumType.setStatus('deprecated')
if mibBuilder.loadTexts: ctSonetMediumType.setDescription('This variable identifies whether a SONET or a SDH signal is used across this interface.')
ctVirtualIfTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1), )
if mibBuilder.loadTexts: ctVirtualIfTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfTable.setDescription('This table defines a Virtual IF Table.')
ctVirtualIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctVirtualIfIndex"))
if mibBuilder.loadTexts: ctVirtualIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfEntry.setDescription('This defines each conceptual row within the ctVirtualIfTable')
ctVirtualIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfIndex.setDescription('Returns the virtual If Index.')
ctVirtualIfPhysicalInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPhysicalInterface.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPhysicalInterface.setDescription('This value displays the physical interface that owns the virtual interface. This is the IfIndex from MIB-II.')
ctVirtualIfType = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 3), ObjectIdentifier()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfType.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfType.setDescription('This value displays the physical interface type.')
ctVirtualIfNumPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfNumPorts.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfNumPorts.setDescription('This value displays the number of virtual ports.')
ctVirtualIfPortTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2), )
if mibBuilder.loadTexts: ctVirtualIfPortTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortTable.setDescription('This table defines the Virtual Port types.')
ctVirtualIfPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctVirtualIfPortIfIndex"), (0, "CTIF-EXT-MIB", "ctVirtualIfPortNumber"))
if mibBuilder.loadTexts: ctVirtualIfPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortEntry.setDescription('This defines each conceptual row within the ctVirtualIfPortTable.')
ctVirtualIfPortIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPortIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortIfIndex.setDescription('Returns the virtual If Index.')
ctVirtualIfPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPortNumber.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortNumber.setDescription('The application port number of the port being described.')
ctVirtualIfPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("portVirtualTypeSvc", 1), ("portVirtualTypePvcLlc", 2), ("portVirtualTypePvcVcmux", 3)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPortType.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortType.setDescription('This defines the port type from ctron-oids.')
ctVirtualIfPortVPI = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPortVPI.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortVPI.setDescription('This returns the Virtual Path Identifier value.')
ctVirtualIfPortVCI = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctVirtualIfPortVCI.setStatus('mandatory')
if mibBuilder.loadTexts: ctVirtualIfPortVCI.setDescription('This returns the Virtual Channel Identifier value.')
ctStatsTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1), )
if mibBuilder.loadTexts: ctStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctStatsTable.setDescription('This table defines the Stats table.')
ctStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1), ).setIndexNames((0, "CTIF-EXT-MIB", "ctStatsIfIndex"))
if mibBuilder.loadTexts: ctStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctStatsEntry.setDescription('This defines each StatsTable.')
ctStatsIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctStatsIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts: ctStatsIfIndex.setDescription('This defines the interface being described. It is the same as IfIndex.')
ctStatsIfEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: ctStatsIfEnable.setStatus('mandatory')
if mibBuilder.loadTexts: ctStatsIfEnable.setDescription('This allows the interface to pass Token Ring MAC frames to the HOST for processing. When disabled, stats will not be gathered on the interface. Default is Enabled. For devices that do not support this capability any write attempt will return BADVALUE.')
ctIfHCStatsTable = MibTable((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1), )
if mibBuilder.loadTexts: ctIfHCStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfHCStatsTable.setDescription('This table defines an extension to the interface table. This table consists of interface counters grouped together. For each counter type in the table their is a 32 bit counter and a 32 bit overflow counter. This effectively provides a method for counting up to 64 bits.')
ctIfHCStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: ctIfHCStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfHCStatsEntry.setDescription('This defines each conceptual row within the ctIfHCStatsTable. Entries in this table will exist for High Capacity Interfaces.')
ctIfInOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 1), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInOctets.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInOctets.setDescription('The total number of octets received on the interface, including framing characters.')
ctIfInOctetsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInOctetsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInOctetsOverflows.setDescription('The number of times the associated ctIfInOctets counter has overflowed.')
ctIfInUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInUcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInUcastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were not addressed to a multicast or broadcast address at this sub-layer.')
ctIfInUcastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInUcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInUcastPktsOverflows.setDescription('The number of times the associated ctIfInUcastPkts counter has overflowed.')
ctIfInMulticastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 5), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInMulticastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInMulticastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were addressed to a multicast address at this sub-layer. For a MAC layer protocol, this includes both Group and Functional addresses.')
ctIfInMulticastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInMulticastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInMulticastPktsOverflows.setDescription('The number of times the associated ctIfInMulticastPkts counter has overflowed.')
ctIfInBroadcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 7), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInBroadcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInBroadcastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were addressed to a broadcast address at this sub-layer.')
ctIfInBroadcastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 8), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfInBroadcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfInBroadcastPktsOverflows.setDescription('The number of times the associated ctIfInBroadcastPkts counter has overflowed.')
ctIfOutOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 9), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutOctets.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutOctets.setDescription('The total number of octets transmitted out of the interface, including framing characters.')
ctIfOutOctetsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 10), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutOctetsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutOctetsOverflows.setDescription('The number of times the associated ctIfOutOctets counter has overflowed.')
ctIfOutUcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 11), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutUcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were not addressed to a multicast or broadcast address at this sub-layer, including those that were discarded or not sent.')
ctIfOutUcastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutUcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutUcastPktsOverflows.setDescription('The number of times the associated ctIfOutUcastPkts counter has overflowed.')
ctIfOutMulticastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutMulticastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutMulticastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were addressed to a multicast address at this sub-layer, including those that were discarded or not sent. For a MAC layer protocol, this includes both Group and Functional addresses.')
ctIfOutMulticastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutMulticastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutMulticastPktsOverflows.setDescription('The number of times the associated ctIfOutMulticastPkts counter has overflowed.')
ctIfOutBroadcastPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutBroadcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutBroadcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were addressed to a broadcast address at this sub-layer, including those that were discarded or not sent.')
ctIfOutBroadcastPktsOverflows = MibTableColumn((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: ctIfOutBroadcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts: ctIfOutBroadcastPktsOverflows.setDescription('The number of times the associated ctIfOutBroadcastPkts counter has overflowed.')
mibBuilder.exportSymbols("CTIF-EXT-MIB", ctIfInUcastPktsOverflows=ctIfInUcastPktsOverflows, ctIfHCStatsEntry=ctIfHCStatsEntry, ctIfOutUcastPktsOverflows=ctIfOutUcastPktsOverflows, ctIfPortTrapStatus=ctIfPortTrapStatus, ctIfPortType=ctIfPortType, ctIfPortLinkStatus=ctIfPortLinkStatus, ctIfCp=ctIfCp, ctVirtualIfNumPorts=ctVirtualIfNumPorts, ctCpTable=ctCpTable, ctIfEntry=ctIfEntry, ctIfOutMulticastPktsOverflows=ctIfOutMulticastPktsOverflows, commonDev=commonDev, ctIfDuplex=ctIfDuplex, ctIfLAA=ctIfLAA, enableSNMPv2=enableSNMPv2, ctIfOutMulticastPkts=ctIfOutMulticastPkts, enableSNMPv1Counter64=enableSNMPv1Counter64, ctVirtualIfIndex=ctVirtualIfIndex, ctIfPortEntry=ctIfPortEntry, ctStatsEntry=ctStatsEntry, enableSNMPv1=enableSNMPv1, ctSonetMediumType=ctSonetMediumType, ctIfInBroadcastPktsOverflows=ctIfInBroadcastPktsOverflows, ctCpFunction=ctCpFunction, ctIfNum=ctIfNum, ctVirtualIfPortEntry=ctVirtualIfPortEntry, ctIfOutOctets=ctIfOutOctets, ctSonetEntry=ctSonetEntry, ctCpAdminStatus=ctCpAdminStatus, ctIfPortTable=ctIfPortTable, ctIfOutBroadcastPkts=ctIfOutBroadcastPkts, ctIf=ctIf, comDeviceBoardMap=comDeviceBoardMap, ctSonetTable=ctSonetTable, ctSonet=ctSonet, ctIfPortIfNumber=ctIfPortIfNumber, ctIfHCStatsTable=ctIfHCStatsTable, ctSNMP=ctSNMP, ctVirtualIfTable=ctVirtualIfTable, ctIfInBroadcastPkts=ctIfInBroadcastPkts, ctIfRedundancy=ctIfRedundancy, ctVirtualIfPortVPI=ctVirtualIfPortVPI, ctVirtualIfType=ctVirtualIfType, ctIfInOctets=ctIfInOctets, ctIfPort=ctIfPort, ctStats=ctStats, ctIfInMulticastPktsOverflows=ctIfInMulticastPktsOverflows, ctIfTable=ctIfTable, ctSonetIfIndex=ctSonetIfIndex, ctVirtualIfPortVCI=ctVirtualIfPortVCI, ctStatsIfEnable=ctStatsIfEnable, ctFramerConfig=ctFramerConfig, ctVirtualIfEntry=ctVirtualIfEntry, ctIfOutUcastPkts=ctIfOutUcastPkts, ctCpEntry=ctCpEntry, ctVirtualIfPhysicalInterface=ctVirtualIfPhysicalInterface, ctComPort=ctComPort, ctIfPortCnt=ctIfPortCnt, comDeviceDate=comDeviceDate, ctVirtualIfPortIfIndex=ctVirtualIfPortIfIndex, ctStatsTable=ctStatsTable, ctVirtualIfPortType=ctVirtualIfPortType, ctIfNumber=ctIfNumber, ctIfInOctetsOverflows=ctIfInOctetsOverflows, ctIfInMulticastPkts=ctIfInMulticastPkts, ctIfConnectionType=ctIfConnectionType, ctVirtual=ctVirtual, ctIfOutOctetsOverflows=ctIfOutOctetsOverflows, ctVirtualIfPortTable=ctVirtualIfPortTable, comDeviceTime=comDeviceTime, ctStatsIfIndex=ctStatsIfIndex, ctVirtualIfPortNumber=ctVirtualIfPortNumber, ctIfHC=ctIfHC, ctIfPortPortNumber=ctIfPortPortNumber, ctIfCapability=ctIfCapability, ctIfInUcastPkts=ctIfInUcastPkts, ctIfOutBroadcastPktsOverflows=ctIfOutBroadcastPktsOverflows)
| (octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, constraints_union, value_size_constraint, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint')
(ctron_mib2,) = mibBuilder.importSymbols('CTRON-MIB-NAMES', 'ctronMib2')
(if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, time_ticks, integer32, counter32, counter64, notification_type, object_identity, iso, mib_identifier, module_identity, unsigned32, bits, gauge32) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'TimeTicks', 'Integer32', 'Counter32', 'Counter64', 'NotificationType', 'ObjectIdentity', 'iso', 'MibIdentifier', 'ModuleIdentity', 'Unsigned32', 'Bits', 'Gauge32')
(textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString')
common_dev = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1))
ct_if = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2))
ct_if_port = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3))
ct_if_cp = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4))
ct_snmp = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5))
ct_sonet = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6))
ct_virtual = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7))
ct_stats = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8))
ct_framer_config = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 9))
ct_if_hc = mib_identifier((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10))
com_device_time = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 1), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(6, 6), value_size_constraint(8, 8)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
comDeviceTime.setStatus('mandatory')
if mibBuilder.loadTexts:
comDeviceTime.setDescription('The current time of day, in 24 hour format, as measured by the device. The representation shall use the standard HHMMSS format.')
com_device_date = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
comDeviceDate.setStatus('mandatory')
if mibBuilder.loadTexts:
comDeviceDate.setDescription('The current date, as measured by the device. The representation shall use the standard MMDDYYYY format.')
com_device_board_map = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
comDeviceBoardMap.setStatus('mandatory')
if mibBuilder.loadTexts:
comDeviceBoardMap.setDescription('Contains a bit encoded representation of slots that contain MIM boards. If a bit is one then that slot is occupied by a board.')
ct_if_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1))
if mibBuilder.loadTexts:
ctIfTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfTable.setDescription('This table defines an extension to the interface table.')
ct_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctIfNumber'))
if mibBuilder.loadTexts:
ctIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfEntry.setDescription('This defines each conceptual row within the ctIfTable')
ct_if_number = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfNumber.setDescription('This defines the interface that is being described. This is the same as ifIndex.')
ct_if_port_cnt = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfPortCnt.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortCnt.setDescription('This defines the number of ports on the interface that is being described.')
ct_if_connection_type = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 3), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfConnectionType.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfConnectionType.setDescription('Defines the specific type of the interface connection (BRIM, etc). This is defined within ctron-oids. This differs from the nature of the interface as defined by ifType as found in MIB-II.')
ct_if_laa = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(6, 6)).setFixedLength(6)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctIfLAA.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfLAA.setDescription("This object is used by a device (with a Token Ring interface) to set a Locally Administered Address (LAA) for it's MAC hardware address. When set, this LAA will override the default Universally Administered Address or burned in address of the interface. For devices that do not support LAA: - a read will return all zeros. - any write attempt will return BADVALUE. For devices that support LAA: - valid values are 4000 0000 0000 to 4000 7fff ffff, and 0000 0000 0000 (a value of all zeros, causes interface to use the burned in address). - a set (write) with an invalid value, returns BADVALUE. - after a write, new values will only become active after the Token Ring interface has been closed and then opened again. - a read of ctIfLAA will always return same value as ifPhysAddress, except in the case where; o ctIfLAA has been set, but interface has not yet been closed and reopened, in this case the last set value is returned. Note that a read of ifPhysAddress will always return the physical address currently being used by the interface.")
ct_if_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('other', 1), ('standard', 2), ('full', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctIfDuplex.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfDuplex.setDescription('Defines the duplex mode that the interface is set to operate in. For devices that do not support this capability: - a read will return standard(2). - any write attempt will return BADVALUE. - fast ethernet devices will report other(1).')
ct_if_capability = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('other', 1), ('standard', 2), ('fullDuplex', 3), ('fastEthernet', 4), ('ethernetBased', 5)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfCapability.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfCapability.setDescription('Defines the cabability of the underlying hardware in supporting full duplex. This object will have a value of fullDuplex(3) if all hardware is capable of supporting full duplex operation.')
ct_if_redundancy = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 2, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('redundant', 1), ('not-redundant', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfRedundancy.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfRedundancy.setDescription('Defines whether or not an interface supports redundancy.')
ct_if_port_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1))
if mibBuilder.loadTexts:
ctIfPortTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortTable.setDescription('This table defines an extension to the interface table.')
ct_if_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctIfPortIfNumber'), (0, 'CTIF-EXT-MIB', 'ctIfPortPortNumber'))
if mibBuilder.loadTexts:
ctIfPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortEntry.setDescription('This defines each conceptual row within the ctIfPortTable')
ct_if_port_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfPortPortNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortPortNumber.setDescription('This defines the port that is being described.')
ct_if_port_if_number = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfPortIfNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortIfNumber.setDescription('This defines the interface that the port being described is on.')
ct_if_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 3), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfPortType.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortType.setDescription('Defines the specific type of the port (EPIM, TPIM). This is defined within ctron-oids.')
ct_if_port_link_status = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('notLinked', 1), ('linked', 2), ('notApplicable', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfPortLinkStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortLinkStatus.setDescription('Defines the status of the port connection.')
ct_if_port_trap_status = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 3, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctIfPortTrapStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfPortTrapStatus.setDescription('Defines the trap forwarding status of the port. A value of (1) indicates that a trap WILL NOT be sent if the port goes down and a value of (2) which is the default value, indicates that a trap WILL be sent if the port goes down.')
ct_cp_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1))
if mibBuilder.loadTexts:
ctCpTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctCpTable.setDescription('This table defines a Com Port Table.')
ct_cp_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctComPort'))
if mibBuilder.loadTexts:
ctCpEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctCpEntry.setDescription('This defines each conceptual row within the ctCPTable')
ct_com_port = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctComPort.setStatus('mandatory')
if mibBuilder.loadTexts:
ctComPort.setDescription('This is the index into the Com Port Table and defines the Com Port that is being described. com1 = 1, com2 = 2')
ct_cp_function = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('lm', 1), ('ups', 2), ('slip', 3), ('ppp', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctCpFunction.setStatus('mandatory')
if mibBuilder.loadTexts:
ctCpFunction.setDescription('Defines the Com Port Function supported by that Com Port.')
ct_if_num = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfNum.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfNum.setDescription('This defines the interface that is being described. This is the same as ifIndex. This is only valid if ctCpFunction is SLIP or PPP, otherwise, 0')
ct_cp_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 4, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disabled', 1), ('enabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctCpAdminStatus.setStatus('mandatory')
if mibBuilder.loadTexts:
ctCpAdminStatus.setDescription('The administrative state of the Com Port.')
enable_snm_pv1 = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
enableSNMPv1.setStatus('mandatory')
if mibBuilder.loadTexts:
enableSNMPv1.setDescription('This object allows control over the SNMPv1 protocol. If set to a value of disable(1) then the SNMPv1 protocol will not be accepted by the device.')
enable_snm_pv2 = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
enableSNMPv2.setStatus('mandatory')
if mibBuilder.loadTexts:
enableSNMPv2.setDescription('This object allows control over the SNMPv2 protocol. If set to a value of disable(1) then the SNMPv2 protocol will not be accepted by the device.')
enable_snm_pv1_counter64 = mib_scalar((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 5, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('disable', 1), ('enable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
enableSNMPv1Counter64.setStatus('mandatory')
if mibBuilder.loadTexts:
enableSNMPv1Counter64.setDescription('This object allows control over the SNMPv1 protocol agent. If set to a value of enable(2) then the SNMPv1 agent will return Counter64 objects using SNMPv2 syntax. If set to a value of disable(1) then the SNMPv1 agent will return any Counter64 objects as Counter32.')
ct_sonet_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1))
if mibBuilder.loadTexts:
ctSonetTable.setStatus('deprecated')
if mibBuilder.loadTexts:
ctSonetTable.setDescription('This table defines the Sonet table.')
ct_sonet_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctSonetIfIndex'))
if mibBuilder.loadTexts:
ctSonetEntry.setStatus('deprecated')
if mibBuilder.loadTexts:
ctSonetEntry.setDescription('This defines each conceptual row within the ctSonetTable.')
ct_sonet_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctSonetIfIndex.setStatus('deprecated')
if mibBuilder.loadTexts:
ctSonetIfIndex.setDescription('This defines the interface being described. It is the same as IfIndex.')
ct_sonet_medium_type = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 6, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('sonet', 1), ('sdh', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctSonetMediumType.setStatus('deprecated')
if mibBuilder.loadTexts:
ctSonetMediumType.setDescription('This variable identifies whether a SONET or a SDH signal is used across this interface.')
ct_virtual_if_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1))
if mibBuilder.loadTexts:
ctVirtualIfTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfTable.setDescription('This table defines a Virtual IF Table.')
ct_virtual_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctVirtualIfIndex'))
if mibBuilder.loadTexts:
ctVirtualIfEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfEntry.setDescription('This defines each conceptual row within the ctVirtualIfTable')
ct_virtual_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfIndex.setDescription('Returns the virtual If Index.')
ct_virtual_if_physical_interface = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPhysicalInterface.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPhysicalInterface.setDescription('This value displays the physical interface that owns the virtual interface. This is the IfIndex from MIB-II.')
ct_virtual_if_type = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 3), object_identifier()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfType.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfType.setDescription('This value displays the physical interface type.')
ct_virtual_if_num_ports = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfNumPorts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfNumPorts.setDescription('This value displays the number of virtual ports.')
ct_virtual_if_port_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2))
if mibBuilder.loadTexts:
ctVirtualIfPortTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortTable.setDescription('This table defines the Virtual Port types.')
ct_virtual_if_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctVirtualIfPortIfIndex'), (0, 'CTIF-EXT-MIB', 'ctVirtualIfPortNumber'))
if mibBuilder.loadTexts:
ctVirtualIfPortEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortEntry.setDescription('This defines each conceptual row within the ctVirtualIfPortTable.')
ct_virtual_if_port_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPortIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortIfIndex.setDescription('Returns the virtual If Index.')
ct_virtual_if_port_number = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPortNumber.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortNumber.setDescription('The application port number of the port being described.')
ct_virtual_if_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('portVirtualTypeSvc', 1), ('portVirtualTypePvcLlc', 2), ('portVirtualTypePvcVcmux', 3)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPortType.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortType.setDescription('This defines the port type from ctron-oids.')
ct_virtual_if_port_vpi = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPortVPI.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortVPI.setDescription('This returns the Virtual Path Identifier value.')
ct_virtual_if_port_vci = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 7, 2, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctVirtualIfPortVCI.setStatus('mandatory')
if mibBuilder.loadTexts:
ctVirtualIfPortVCI.setDescription('This returns the Virtual Channel Identifier value.')
ct_stats_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1))
if mibBuilder.loadTexts:
ctStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctStatsTable.setDescription('This table defines the Stats table.')
ct_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1)).setIndexNames((0, 'CTIF-EXT-MIB', 'ctStatsIfIndex'))
if mibBuilder.loadTexts:
ctStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctStatsEntry.setDescription('This defines each StatsTable.')
ct_stats_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctStatsIfIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
ctStatsIfIndex.setDescription('This defines the interface being described. It is the same as IfIndex.')
ct_stats_if_enable = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 8, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
ctStatsIfEnable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctStatsIfEnable.setDescription('This allows the interface to pass Token Ring MAC frames to the HOST for processing. When disabled, stats will not be gathered on the interface. Default is Enabled. For devices that do not support this capability any write attempt will return BADVALUE.')
ct_if_hc_stats_table = mib_table((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1))
if mibBuilder.loadTexts:
ctIfHCStatsTable.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfHCStatsTable.setDescription('This table defines an extension to the interface table. This table consists of interface counters grouped together. For each counter type in the table their is a 32 bit counter and a 32 bit overflow counter. This effectively provides a method for counting up to 64 bits.')
ct_if_hc_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
ctIfHCStatsEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfHCStatsEntry.setDescription('This defines each conceptual row within the ctIfHCStatsTable. Entries in this table will exist for High Capacity Interfaces.')
ct_if_in_octets = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 1), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInOctets.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInOctets.setDescription('The total number of octets received on the interface, including framing characters.')
ct_if_in_octets_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInOctetsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInOctetsOverflows.setDescription('The number of times the associated ctIfInOctets counter has overflowed.')
ct_if_in_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInUcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInUcastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were not addressed to a multicast or broadcast address at this sub-layer.')
ct_if_in_ucast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInUcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInUcastPktsOverflows.setDescription('The number of times the associated ctIfInUcastPkts counter has overflowed.')
ct_if_in_multicast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 5), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInMulticastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInMulticastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were addressed to a multicast address at this sub-layer. For a MAC layer protocol, this includes both Group and Functional addresses.')
ct_if_in_multicast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInMulticastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInMulticastPktsOverflows.setDescription('The number of times the associated ctIfInMulticastPkts counter has overflowed.')
ct_if_in_broadcast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 7), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInBroadcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInBroadcastPkts.setDescription('The number of packets, delivered by this sub-layer to a higher (sub-)layer, which were addressed to a broadcast address at this sub-layer.')
ct_if_in_broadcast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 8), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfInBroadcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfInBroadcastPktsOverflows.setDescription('The number of times the associated ctIfInBroadcastPkts counter has overflowed.')
ct_if_out_octets = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 9), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutOctets.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutOctets.setDescription('The total number of octets transmitted out of the interface, including framing characters.')
ct_if_out_octets_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 10), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutOctetsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutOctetsOverflows.setDescription('The number of times the associated ctIfOutOctets counter has overflowed.')
ct_if_out_ucast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 11), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutUcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutUcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were not addressed to a multicast or broadcast address at this sub-layer, including those that were discarded or not sent.')
ct_if_out_ucast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutUcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutUcastPktsOverflows.setDescription('The number of times the associated ctIfOutUcastPkts counter has overflowed.')
ct_if_out_multicast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutMulticastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutMulticastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were addressed to a multicast address at this sub-layer, including those that were discarded or not sent. For a MAC layer protocol, this includes both Group and Functional addresses.')
ct_if_out_multicast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutMulticastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutMulticastPktsOverflows.setDescription('The number of times the associated ctIfOutMulticastPkts counter has overflowed.')
ct_if_out_broadcast_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutBroadcastPkts.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutBroadcastPkts.setDescription('The total number of packets that higher-level protocols requested be transmitted, and which were addressed to a broadcast address at this sub-layer, including those that were discarded or not sent.')
ct_if_out_broadcast_pkts_overflows = mib_table_column((1, 3, 6, 1, 4, 1, 52, 4, 3, 3, 10, 1, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
ctIfOutBroadcastPktsOverflows.setStatus('mandatory')
if mibBuilder.loadTexts:
ctIfOutBroadcastPktsOverflows.setDescription('The number of times the associated ctIfOutBroadcastPkts counter has overflowed.')
mibBuilder.exportSymbols('CTIF-EXT-MIB', ctIfInUcastPktsOverflows=ctIfInUcastPktsOverflows, ctIfHCStatsEntry=ctIfHCStatsEntry, ctIfOutUcastPktsOverflows=ctIfOutUcastPktsOverflows, ctIfPortTrapStatus=ctIfPortTrapStatus, ctIfPortType=ctIfPortType, ctIfPortLinkStatus=ctIfPortLinkStatus, ctIfCp=ctIfCp, ctVirtualIfNumPorts=ctVirtualIfNumPorts, ctCpTable=ctCpTable, ctIfEntry=ctIfEntry, ctIfOutMulticastPktsOverflows=ctIfOutMulticastPktsOverflows, commonDev=commonDev, ctIfDuplex=ctIfDuplex, ctIfLAA=ctIfLAA, enableSNMPv2=enableSNMPv2, ctIfOutMulticastPkts=ctIfOutMulticastPkts, enableSNMPv1Counter64=enableSNMPv1Counter64, ctVirtualIfIndex=ctVirtualIfIndex, ctIfPortEntry=ctIfPortEntry, ctStatsEntry=ctStatsEntry, enableSNMPv1=enableSNMPv1, ctSonetMediumType=ctSonetMediumType, ctIfInBroadcastPktsOverflows=ctIfInBroadcastPktsOverflows, ctCpFunction=ctCpFunction, ctIfNum=ctIfNum, ctVirtualIfPortEntry=ctVirtualIfPortEntry, ctIfOutOctets=ctIfOutOctets, ctSonetEntry=ctSonetEntry, ctCpAdminStatus=ctCpAdminStatus, ctIfPortTable=ctIfPortTable, ctIfOutBroadcastPkts=ctIfOutBroadcastPkts, ctIf=ctIf, comDeviceBoardMap=comDeviceBoardMap, ctSonetTable=ctSonetTable, ctSonet=ctSonet, ctIfPortIfNumber=ctIfPortIfNumber, ctIfHCStatsTable=ctIfHCStatsTable, ctSNMP=ctSNMP, ctVirtualIfTable=ctVirtualIfTable, ctIfInBroadcastPkts=ctIfInBroadcastPkts, ctIfRedundancy=ctIfRedundancy, ctVirtualIfPortVPI=ctVirtualIfPortVPI, ctVirtualIfType=ctVirtualIfType, ctIfInOctets=ctIfInOctets, ctIfPort=ctIfPort, ctStats=ctStats, ctIfInMulticastPktsOverflows=ctIfInMulticastPktsOverflows, ctIfTable=ctIfTable, ctSonetIfIndex=ctSonetIfIndex, ctVirtualIfPortVCI=ctVirtualIfPortVCI, ctStatsIfEnable=ctStatsIfEnable, ctFramerConfig=ctFramerConfig, ctVirtualIfEntry=ctVirtualIfEntry, ctIfOutUcastPkts=ctIfOutUcastPkts, ctCpEntry=ctCpEntry, ctVirtualIfPhysicalInterface=ctVirtualIfPhysicalInterface, ctComPort=ctComPort, ctIfPortCnt=ctIfPortCnt, comDeviceDate=comDeviceDate, ctVirtualIfPortIfIndex=ctVirtualIfPortIfIndex, ctStatsTable=ctStatsTable, ctVirtualIfPortType=ctVirtualIfPortType, ctIfNumber=ctIfNumber, ctIfInOctetsOverflows=ctIfInOctetsOverflows, ctIfInMulticastPkts=ctIfInMulticastPkts, ctIfConnectionType=ctIfConnectionType, ctVirtual=ctVirtual, ctIfOutOctetsOverflows=ctIfOutOctetsOverflows, ctVirtualIfPortTable=ctVirtualIfPortTable, comDeviceTime=comDeviceTime, ctStatsIfIndex=ctStatsIfIndex, ctVirtualIfPortNumber=ctVirtualIfPortNumber, ctIfHC=ctIfHC, ctIfPortPortNumber=ctIfPortPortNumber, ctIfCapability=ctIfCapability, ctIfInUcastPkts=ctIfInUcastPkts, ctIfOutBroadcastPktsOverflows=ctIfOutBroadcastPktsOverflows) |
def egcd(a, b):
x,y, u,v = 0,1, 1,0
while a != 0:
q, r = b//a, b%a
m, n = x-u*q, y-v*q
b,a, x,y, u,v = a,r, u,v, m,n
gcd = b
return gcd, x, y
def modinv(a, m):
gcd, x, y = egcd(a, m)
if gcd != 1:
return None # modular inverse does not exist
else:
return x % m
def affine_encrypt(text, key):
'''
C = (a*P + b) % 26
'''
return ''.join([ chr((( key[0]*(ord(t) - ord('A')) + key[1] ) % 26)
+ ord('A')) for t in text.upper().replace(' ', '') ])
# affine cipher decryption function
# returns original text
def affine_decrypt(cipher, key):
'''
P = (a^-1 * (C - b)) % 26
'''
return ''.join([ chr((( modinv(key[0], 26)*(ord(c) - ord('A') - key[1]))
% 26) + ord('A')) for c in cipher ])
def main():
# declaring text and key
text = input("Enter any text:- ")
key = [17, 20]
# calling encryption function
affine_encrypted_text = affine_encrypt(text, key)
print('Encrypted Text: {}'.format( affine_encrypted_text ))
# calling decryption function
print('Decrypted Text: {}'.format
( affine_decrypt(affine_encrypted_text, key) ))
if __name__ == '__main__':
main() | def egcd(a, b):
(x, y, u, v) = (0, 1, 1, 0)
while a != 0:
(q, r) = (b // a, b % a)
(m, n) = (x - u * q, y - v * q)
(b, a, x, y, u, v) = (a, r, u, v, m, n)
gcd = b
return (gcd, x, y)
def modinv(a, m):
(gcd, x, y) = egcd(a, m)
if gcd != 1:
return None
else:
return x % m
def affine_encrypt(text, key):
"""
C = (a*P + b) % 26
"""
return ''.join([chr((key[0] * (ord(t) - ord('A')) + key[1]) % 26 + ord('A')) for t in text.upper().replace(' ', '')])
def affine_decrypt(cipher, key):
"""
P = (a^-1 * (C - b)) % 26
"""
return ''.join([chr(modinv(key[0], 26) * (ord(c) - ord('A') - key[1]) % 26 + ord('A')) for c in cipher])
def main():
text = input('Enter any text:- ')
key = [17, 20]
affine_encrypted_text = affine_encrypt(text, key)
print('Encrypted Text: {}'.format(affine_encrypted_text))
print('Decrypted Text: {}'.format(affine_decrypt(affine_encrypted_text, key)))
if __name__ == '__main__':
main() |
# RestDF Default settings
PORT: int = 8000
HOST: str = 'localhost'
DEBUG: bool = False
| port: int = 8000
host: str = 'localhost'
debug: bool = False |
def reindent(s, numSpaces, prefix=None):
_prefix = "\n"
if prefix:
_prefix+=prefix
if not isinstance(s,str):
s=str(s)
_str = _prefix.join((numSpaces * " ") + i for i in s.splitlines())
return _str
def format_columns(data, columns=4, max_rows=4):
max_len = max( list(map( len, data)))
cols = max( int(80/max_len),1)
if columns:
max_len = 30
else:
max_len = max_len
columns = columns if columns else cols
my_len = len(data)
my_len = (my_len - my_len % columns) + columns
my_range = my_len // columns
fin_list = [data[i * columns:i * columns + columns] for i in range(my_range)]
if not max_rows:
max_rows = len(fin_list)
sf="{:-^"+str( (columns* (max_len+1))+1)+"}\n"
s = sf.format(' DATA ')
for item in fin_list[:max_rows]:
sf = len(item) * ('|{:^'+str(max_len)+'}')
sf+="|\n"
s+=sf.format(*item)
s+=((columns* (max_len+1))+1) * '-'
return s
def print_columns(data, columns=4, max_rows=4, indent=2):
s = format_columns(data, columns=columns, max_rows=max_rows)
print(reindent(s, indent)) | def reindent(s, numSpaces, prefix=None):
_prefix = '\n'
if prefix:
_prefix += prefix
if not isinstance(s, str):
s = str(s)
_str = _prefix.join((numSpaces * ' ' + i for i in s.splitlines()))
return _str
def format_columns(data, columns=4, max_rows=4):
max_len = max(list(map(len, data)))
cols = max(int(80 / max_len), 1)
if columns:
max_len = 30
else:
max_len = max_len
columns = columns if columns else cols
my_len = len(data)
my_len = my_len - my_len % columns + columns
my_range = my_len // columns
fin_list = [data[i * columns:i * columns + columns] for i in range(my_range)]
if not max_rows:
max_rows = len(fin_list)
sf = '{:-^' + str(columns * (max_len + 1) + 1) + '}\n'
s = sf.format(' DATA ')
for item in fin_list[:max_rows]:
sf = len(item) * ('|{:^' + str(max_len) + '}')
sf += '|\n'
s += sf.format(*item)
s += (columns * (max_len + 1) + 1) * '-'
return s
def print_columns(data, columns=4, max_rows=4, indent=2):
s = format_columns(data, columns=columns, max_rows=max_rows)
print(reindent(s, indent)) |
class User:
'''
class that generates a new instance of a password user
__init__ method that helps us to define properitis for our objet
Args:
'''
user_list = [] #Empty user list
def __init__(self,name,password):
self.name=name
self.password=password
def save_user(self):
'''
save_contact method save user objects into user_list
'''
User.user_list.append(self)
@classmethod
def display_users(cls):
'''
method that returns users using the password locker
app
'''
return cls.user_list
@classmethod
def user_verified(cls,name,password):
'''
methods that takes the user logings and returs boolean its true
Args:
name:User name to search
password:password to match
return:
Boolean true if they both match to a user and false
if it doesn't
'''
| class User:
"""
class that generates a new instance of a password user
__init__ method that helps us to define properitis for our objet
Args:
"""
user_list = []
def __init__(self, name, password):
self.name = name
self.password = password
def save_user(self):
"""
save_contact method save user objects into user_list
"""
User.user_list.append(self)
@classmethod
def display_users(cls):
"""
method that returns users using the password locker
app
"""
return cls.user_list
@classmethod
def user_verified(cls, name, password):
"""
methods that takes the user logings and returs boolean its true
Args:
name:User name to search
password:password to match
return:
Boolean true if they both match to a user and false
if it doesn't
""" |
#
# PySNMP MIB module ALCATEL-IND1-MLD-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/ALCATEL-IND1-MLD-MIB
# Produced by pysmi-0.3.4 at Wed May 1 11:18:33 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
softentIND1Mld, = mibBuilder.importSymbols("ALCATEL-IND1-BASE", "softentIND1Mld")
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueRangeConstraint, SingleValueConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "SingleValueConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection")
InterfaceIndex, = mibBuilder.importSymbols("IF-MIB", "InterfaceIndex")
InetAddressType, InetAddressIPv6, InetAddress = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddressType", "InetAddressIPv6", "InetAddress")
ModuleCompliance, NotificationGroup, ObjectGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup", "ObjectGroup")
Bits, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, MibIdentifier, NotificationType, Integer32, Gauge32, IpAddress, Counter32, Counter64, Unsigned32, ModuleIdentity, iso, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "Bits", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "MibIdentifier", "NotificationType", "Integer32", "Gauge32", "IpAddress", "Counter32", "Counter64", "Unsigned32", "ModuleIdentity", "iso", "ObjectIdentity")
DisplayString, RowStatus, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "RowStatus", "TextualConvention")
alcatelIND1MldMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1))
alcatelIND1MldMIB.setRevisions(('2011-02-23 00:00', '2008-09-10 00:00', '2008-08-08 00:00', '2007-04-03 00:00',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: alcatelIND1MldMIB.setRevisionsDescriptions(('Add zero-based query object and helper address object', 'Add flood unknown object', 'The latest version of this MIB Module. Added maximum group limit objects.', 'The revised version of this MIB Module.',))
if mibBuilder.loadTexts: alcatelIND1MldMIB.setLastUpdated('201102230000Z')
if mibBuilder.loadTexts: alcatelIND1MldMIB.setOrganization('Alcatel-Lucent')
if mibBuilder.loadTexts: alcatelIND1MldMIB.setContactInfo('Please consult with Customer Service to ensure the most appropriate version of this document is used with the products in question: Alcatel-Lucent, Enterprise Solutions Division (Formerly Alcatel Internetworking, Incorporated) 26801 West Agoura Road Agoura Hills, CA 91301-5122 United States Of America Telephone: North America +1 800 995 2696 Latin America +1 877 919 9526 Europe +31 23 556 0100 Asia +65 394 7933 All Other +1 818 878 4507 Electronic Mail: support@ind.alcatel.com World Wide Web: http://alcatel-lucent.com/wps/portal/enterprise File Transfer Protocol: ftp://ftp.ind.alcatel.com/pub/products/mibs')
if mibBuilder.loadTexts: alcatelIND1MldMIB.setDescription('This module describes an authoritative enterprise-specific Simple Network Management Protocol (SNMP) Management Information Base (MIB): Proprietary IPv6 Multicast MIB definitions The right to make changes in specification and other information contained in this document without prior notice is reserved. No liability shall be assumed for any incidental, indirect, special, or consequential damages whatsoever arising from or related to this document or the information contained herein. Vendors, end-users, and other interested parties are granted non-exclusive license to use this specification in connection with management of the products for which it is intended to be used. Copyright (C) 1995-2007 Alcatel-Lucent ALL RIGHTS RESERVED WORLDWIDE')
alcatelIND1MldMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1))
alaMld = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1))
alaMldStatus = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldStatus.setStatus('current')
if mibBuilder.loadTexts: alaMldStatus.setDescription('Administratively enable IPv6 multicast switching and routing on the system.')
alaMldQuerying = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldQuerying.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerying.setDescription('Administratively enable MLD Querying on the system.')
alaMldSpoofing = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldSpoofing.setStatus('current')
if mibBuilder.loadTexts: alaMldSpoofing.setDescription('Administratively enable MLD Spoofing on the system.')
alaMldZapping = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldZapping.setStatus('current')
if mibBuilder.loadTexts: alaMldZapping.setDescription('Administratively enable MLD Zapping on the system.')
alaMldVersion = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 5), Unsigned32().clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVersion.setStatus('current')
if mibBuilder.loadTexts: alaMldVersion.setDescription('Set the default MLD protocol Version running on the system.')
alaMldRobustness = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 6), Unsigned32().clone(2)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldRobustness.setStatus('current')
if mibBuilder.loadTexts: alaMldRobustness.setDescription('Set the MLD Robustness variable used on the system.')
alaMldQueryInterval = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 7), Unsigned32().clone(125)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldQueryInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldQueryInterval.setDescription('Set the MLD Query Interval used on the system.')
alaMldQueryResponseInterval = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 8), Unsigned32().clone(10000)).setUnits('milliseconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldQueryResponseInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldQueryResponseInterval.setDescription('Set the MLD Query Response Interval on the system.')
alaMldLastMemberQueryInterval = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 9), Unsigned32().clone(1000)).setUnits('milliseconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldLastMemberQueryInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldLastMemberQueryInterval.setDescription('Set the MLD Last Member Query Interval on the system.')
alaMldRouterTimeout = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 10), Unsigned32().clone(90)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldRouterTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldRouterTimeout.setDescription('The MLD Router Timeout on the system.')
alaMldSourceTimeout = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 11), Unsigned32().clone(30)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldSourceTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceTimeout.setDescription('The MLD Source Timeout on the system.')
alaMldProxying = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldProxying.setStatus('current')
if mibBuilder.loadTexts: alaMldProxying.setDescription('Administratively enable MLD Proxying on the system.')
alaMldUnsolicitedReportInterval = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 13), Unsigned32().clone(1)).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldUnsolicitedReportInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldUnsolicitedReportInterval.setDescription('The MLD Unsolicited Report Interval on the system.')
alaMldQuerierForwarding = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldQuerierForwarding.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierForwarding.setDescription('Administratively enable MLD Querier Forwarding on the system.')
alaMldMaxGroupLimit = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 15), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts: alaMldMaxGroupLimit.setDescription('The global limit on maximum number of MLD Group memberships that can be learnt on each port/vlan instance.')
alaMldMaxGroupExceedAction = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("drop", 1), ("replace", 2))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts: alaMldMaxGroupExceedAction.setDescription('The global configuration of action to be taken when MLD group membership limit is exceeded on a port/vlan instance.')
alaMldFloodUnknown = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldFloodUnknown.setStatus('current')
if mibBuilder.loadTexts: alaMldFloodUnknown.setDescription('Administratively enable flooding of multicast data packets during flow learning and setup.')
alaMldHelperAddressType = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 18), InetAddressType().subtype(subtypeSpec=ValueRangeConstraint(2, 2))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldHelperAddressType.setStatus('current')
if mibBuilder.loadTexts: alaMldHelperAddressType.setDescription('Set the address type of the helper address. Must be ipv4(1) and set at the same time as alaMldHelperAddress.')
alaMldHelperAddress = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 19), InetAddress().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldHelperAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldHelperAddress.setDescription('The configured IPv6 helper address. When an MLD report or leave is received by the device it will remove the IP header and regenerate a new IP header with a destination IP address specified. Use :: to no longer help an MLD report to an remote address. Must be set at the same time as alaMldHelperAddressType')
alaMldZeroBasedQuery = MibScalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldZeroBasedQuery.setStatus('current')
if mibBuilder.loadTexts: alaMldZeroBasedQuery.setDescription('Administratively enable the use of an all-zero source IPv6 address for query packets when a non-querier is querying the membership of a port')
alaMldVlan = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2))
alaMldVlanTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1), )
if mibBuilder.loadTexts: alaMldVlanTable.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanTable.setDescription('The VLAN table contains the information on which IPv6 multicast switching and routing is configured.')
alaMldVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldVlanIndex"))
if mibBuilder.loadTexts: alaMldVlanEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanEntry.setDescription('An entry corresponds to a VLAN on which IPv6 multicast switching and routing is configured.')
alaMldVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldVlanIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanIndex.setDescription('The VLAN on which IPv6 multicast switching and routing is configured.')
alaMldVlanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanStatus.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanStatus.setDescription('Administratively enable IPv6 multicast switching and routing on the VLAN.')
alaMldVlanQuerying = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanQuerying.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanQuerying.setDescription('Administratively enable MLD Querying on the VLAN.')
alaMldVlanSpoofing = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanSpoofing.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanSpoofing.setDescription('Administratively enable MLD Spoofing on the VLAN.')
alaMldVlanZapping = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanZapping.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanZapping.setDescription('Administratively enable MLD Zapping on the VLAN.')
alaMldVlanVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 6), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanVersion.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanVersion.setDescription('Set the default MLD protocol Version running on the VLAN.')
alaMldVlanRobustness = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 7), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanRobustness.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanRobustness.setDescription('Set the MLD Robustness variable used on the VLAN.')
alaMldVlanQueryInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 8), Unsigned32()).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanQueryInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanQueryInterval.setDescription('Set the MLD Query Interval used on the VLAN.')
alaMldVlanQueryResponseInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 9), Unsigned32()).setUnits('milliseconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanQueryResponseInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanQueryResponseInterval.setDescription('Set the MLD Query Response Interval on the VLAN.')
alaMldVlanLastMemberQueryInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 10), Unsigned32()).setUnits('milliseconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanLastMemberQueryInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanLastMemberQueryInterval.setDescription('Set the MLD Last Member Query Interval on the VLAN.')
alaMldVlanRouterTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 11), Unsigned32()).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanRouterTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanRouterTimeout.setDescription('Set the MLD Router Timeout on the VLAN.')
alaMldVlanSourceTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 12), Unsigned32()).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanSourceTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanSourceTimeout.setDescription('Set the MLD Source Timeout on the VLAN.')
alaMldVlanProxying = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanProxying.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanProxying.setDescription('Administratively enable MLD Proxying on the VLAN.')
alaMldVlanUnsolicitedReportInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 14), Unsigned32()).setUnits('seconds').setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanUnsolicitedReportInterval.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanUnsolicitedReportInterval.setDescription('Set the MLD Unsolicited Report Interval on the VLAN.')
alaMldVlanQuerierForwarding = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanQuerierForwarding.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanQuerierForwarding.setDescription('Administratively enable MLD Querier Forwarding on the VLAN.')
alaMldVlanMaxGroupLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 16), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanMaxGroupLimit.setDescription('The maximum number of MLD Group memberships that can be learnt on the VLAN.')
alaMldVlanMaxGroupExceedAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("drop", 1), ("replace", 2))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanMaxGroupExceedAction.setDescription('The action to be taken when the MLD group membership limit is exceeded on the VLAN.')
alaMldVlanZeroBasedQuery = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldVlanZeroBasedQuery.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanZeroBasedQuery.setDescription('Administratively enable the use of an all-zero source IPv6 address for query packets when a non-querier is querying the membership of a port on the VLAN')
alaMldMember = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3))
alaMldMemberTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1), )
if mibBuilder.loadTexts: alaMldMemberTable.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberTable.setDescription('The table listing the MLD group membership information.')
alaMldMemberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldMemberVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldMemberIfIndex"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldMemberGroupAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldMemberSourceAddress"))
if mibBuilder.loadTexts: alaMldMemberEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberEntry.setDescription('An entry corresponding to an MLD group membership request.')
alaMldMemberVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldMemberVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberVlan.setDescription("The group membership request's VLAN.")
alaMldMemberIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldMemberIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberIfIndex.setDescription("The group membership request's ifIndex.")
alaMldMemberGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldMemberGroupAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberGroupAddress.setDescription("The group membership request's IPv6 group address.")
alaMldMemberSourceAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 4), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldMemberSourceAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberSourceAddress.setDescription("The group membership request's IPv6 source address.")
alaMldMemberMode = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("include", 1), ("exclude", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldMemberMode.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberMode.setDescription("The group membership request's MLD source filter mode.")
alaMldMemberCount = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 6), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldMemberCount.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberCount.setDescription("The group membership request's counter.")
alaMldMemberTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 7), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldMemberTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberTimeout.setDescription("The group membership request's timeout.")
alaMldStaticMember = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4))
alaMldStaticMemberTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1), )
if mibBuilder.loadTexts: alaMldStaticMemberTable.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberTable.setDescription('The table listing the static MLD group membership information.')
alaMldStaticMemberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticMemberVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticMemberIfIndex"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticMemberGroupAddress"))
if mibBuilder.loadTexts: alaMldStaticMemberEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberEntry.setDescription('An entry corresponding to a static MLD group membership request.')
alaMldStaticMemberVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldStaticMemberVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberVlan.setDescription("The static group membership request's VLAN.")
alaMldStaticMemberIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldStaticMemberIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberIfIndex.setDescription("The static group membership request's ifIndex.")
alaMldStaticMemberGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldStaticMemberGroupAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberGroupAddress.setDescription("The static group membership request's IPv6 group address.")
alaMldStaticMemberRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: alaMldStaticMemberRowStatus.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
alaMldNeighbor = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5))
alaMldNeighborTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1), )
if mibBuilder.loadTexts: alaMldNeighborTable.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborTable.setDescription('The table listing the neighboring IP multicast routers.')
alaMldNeighborEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldNeighborVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldNeighborIfIndex"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldNeighborHostAddress"))
if mibBuilder.loadTexts: alaMldNeighborEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborEntry.setDescription('An entry corresponding to an IP multicast router.')
alaMldNeighborVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldNeighborVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborVlan.setDescription("The IP multicast router's VLAN.")
alaMldNeighborIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldNeighborIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborIfIndex.setDescription("The IP multicast router's ifIndex.")
alaMldNeighborHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldNeighborHostAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborHostAddress.setDescription("The IP multicast router's IPv6 host address.")
alaMldNeighborCount = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldNeighborCount.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborCount.setDescription("The IP multicast router's counter.")
alaMldNeighborTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 5), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldNeighborTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborTimeout.setDescription("The IP multicast router's timeout.")
alaMldStaticNeighbor = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6))
alaMldStaticNeighborTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1), )
if mibBuilder.loadTexts: alaMldStaticNeighborTable.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborTable.setDescription('The table listing the static IP multicast routers.')
alaMldStaticNeighborEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticNeighborVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticNeighborIfIndex"))
if mibBuilder.loadTexts: alaMldStaticNeighborEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborEntry.setDescription('An entry corresponding to a static IP multicast router.')
alaMldStaticNeighborVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldStaticNeighborVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborVlan.setDescription("The static IP multicast router's VLAN.")
alaMldStaticNeighborIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldStaticNeighborIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborIfIndex.setDescription("The static IP multicast router's ifIndex.")
alaMldStaticNeighborRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: alaMldStaticNeighborRowStatus.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
alaMldQuerier = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7))
alaMldQuerierTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1), )
if mibBuilder.loadTexts: alaMldQuerierTable.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierTable.setDescription('The table listing the neighboring MLD queriers.')
alaMldQuerierEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldQuerierVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldQuerierIfIndex"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldQuerierHostAddress"))
if mibBuilder.loadTexts: alaMldQuerierEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierEntry.setDescription('An entry corresponding to an MLD querier.')
alaMldQuerierVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldQuerierVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierVlan.setDescription("The MLD querier's VLAN.")
alaMldQuerierIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldQuerierIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierIfIndex.setDescription("The MLD querier's ifIndex.")
alaMldQuerierHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldQuerierHostAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierHostAddress.setDescription("The MLD querier's IPv6 host address.")
alaMldQuerierCount = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldQuerierCount.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierCount.setDescription("The MLD querier's counter.")
alaMldQuerierTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 5), TimeTicks()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldQuerierTimeout.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierTimeout.setDescription("The MLD querier's timeout.")
alaMldStaticQuerier = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8))
alaMldStaticQuerierTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1), )
if mibBuilder.loadTexts: alaMldStaticQuerierTable.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierTable.setDescription('The table listing the static MLD queriers.')
alaMldStaticQuerierEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticQuerierVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldStaticQuerierIfIndex"))
if mibBuilder.loadTexts: alaMldStaticQuerierEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierEntry.setDescription('An entry corresponding to a static MLD querier.')
alaMldStaticQuerierVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldStaticQuerierVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierVlan.setDescription("The static MLD querier's VLAN.")
alaMldStaticQuerierIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 2), InterfaceIndex())
if mibBuilder.loadTexts: alaMldStaticQuerierIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierIfIndex.setDescription("The static MLD querier's ifIndex.")
alaMldStaticQuerierRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: alaMldStaticQuerierRowStatus.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
alaMldSource = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9))
alaMldSourceTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1), )
if mibBuilder.loadTexts: alaMldSourceTable.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceTable.setDescription('The table listing the IP multicast source information.')
alaMldSourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldSourceVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldSourceGroupAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldSourceHostAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldSourceDestAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldSourceOrigAddress"))
if mibBuilder.loadTexts: alaMldSourceEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceEntry.setDescription('An entry corresponding to an IP multicast source flow.')
alaMldSourceVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldSourceVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceVlan.setDescription("The IP multicast source flow's VLAN.")
alaMldSourceIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 2), InterfaceIndex()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldSourceIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceIfIndex.setDescription("The IP multicast source flow's ifIndex.")
alaMldSourceGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldSourceGroupAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceGroupAddress.setDescription("The IP multicast source flow's IPv6 group address.")
alaMldSourceHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 4), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldSourceHostAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceHostAddress.setDescription("The IP multicast source flow's IPv6 host address.")
alaMldSourceDestAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 5), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldSourceDestAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceDestAddress.setDescription("The IP multicast source flow's IPv6 tunnel destination address.")
alaMldSourceOrigAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 6), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldSourceOrigAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceOrigAddress.setDescription("The IP multicast source flow's IPv6 tunnel source address.")
alaMldSourceType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcast", 1), ("pim", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldSourceType.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceType.setDescription("The IP multicast source flow's encapsulation type.")
alaMldForward = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10))
alaMldForwardTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1), )
if mibBuilder.loadTexts: alaMldForwardTable.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardTable.setDescription('The table listing the IP multicast forward information.')
alaMldForwardEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardGroupAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardHostAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardDestAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardOrigAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardNextVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldForwardNextIfIndex"))
if mibBuilder.loadTexts: alaMldForwardEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardEntry.setDescription('An entry corresponding to an IP multicast forwarded flow.')
alaMldForwardVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldForwardVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardVlan.setDescription("The IP multicast forwarded flow's VLAN.")
alaMldForwardIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 2), InterfaceIndex()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldForwardIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardIfIndex.setDescription("The IP multicast forwarded flow's ifIndex.")
alaMldForwardGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldForwardGroupAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardGroupAddress.setDescription("The IP multicast forwarded flow's IPv6 group address.")
alaMldForwardHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 4), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldForwardHostAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardHostAddress.setDescription("The IP multicast forwarded flow's IPv6 host address.")
alaMldForwardDestAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 5), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldForwardDestAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardDestAddress.setDescription("The IP multicast forwarded flow's IPv6 tunnel destination address.")
alaMldForwardOrigAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 6), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldForwardOrigAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardOrigAddress.setDescription("The IP multicast forwarded flow's IPv6 tunnel source address.")
alaMldForwardType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcast", 1), ("pim", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldForwardType.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardType.setDescription("The IP multicast forwarded flow's encapsulation type.")
alaMldForwardNextVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 8), Unsigned32())
if mibBuilder.loadTexts: alaMldForwardNextVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardNextVlan.setDescription("The IP multicast forwarded flow's next VLAN.")
alaMldForwardNextIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 9), InterfaceIndex())
if mibBuilder.loadTexts: alaMldForwardNextIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardNextIfIndex.setDescription("The IP multicast forwarded flow's next ifIndex.")
alaMldForwardNextType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcast", 1), ("pim", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldForwardNextType.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardNextType.setDescription("The IP multicast forwarded flow's next encapsulation type.")
alaMldTunnel = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11))
alaMldTunnelTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1), )
if mibBuilder.loadTexts: alaMldTunnelTable.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelTable.setDescription('The table listing the IP multicast tunnel information.')
alaMldTunnelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelVlan"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelGroupAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelHostAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelDestAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelOrigAddress"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldTunnelNextDestAddress"))
if mibBuilder.loadTexts: alaMldTunnelEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelEntry.setDescription('An entry corresponding to an IP multicast tunneled flow.')
alaMldTunnelVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldTunnelVlan.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelVlan.setDescription("The IP multicast tunneled flow's VLAN.")
alaMldTunnelIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 2), InterfaceIndex()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldTunnelIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelIfIndex.setDescription("The IP multicast tunneled flow's ifIndex.")
alaMldTunnelGroupAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 3), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldTunnelGroupAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelGroupAddress.setDescription("The IP multicast tunneled flow's IPv6 group address.")
alaMldTunnelHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 4), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldTunnelHostAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelHostAddress.setDescription("The IP multicast tunneled flow's IPv6 host address.")
alaMldTunnelDestAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 5), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldTunnelDestAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelDestAddress.setDescription("The IP multicast tunneled flow's IPv6 tunnel destination address.")
alaMldTunnelOrigAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 6), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldTunnelOrigAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelOrigAddress.setDescription("The IP multicast tunneled flow's IPv6 tunnel source address.")
alaMldTunnelType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcast", 1), ("pim", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldTunnelType.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelType.setDescription("The IP multicast tunneled flow's encapsulation type.")
alaMldTunnelNextDestAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 8), InetAddressIPv6())
if mibBuilder.loadTexts: alaMldTunnelNextDestAddress.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelNextDestAddress.setDescription("The IP multicast tunneled flow's next IPv6 tunnel destination address.")
alaMldTunnelNextType = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mcast", 1), ("pim", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldTunnelNextType.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelNextType.setDescription("The IP multicast tunneled flow's next encapsulation type.")
alaMldPort = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12))
alaMldPortTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1), )
if mibBuilder.loadTexts: alaMldPortTable.setStatus('current')
if mibBuilder.loadTexts: alaMldPortTable.setDescription('The table listing the IPv6 Multicast port information.')
alaMldPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldPortIfIndex"))
if mibBuilder.loadTexts: alaMldPortEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldPortEntry.setDescription('An entry corresponding to IPv6 Multicast port information.')
alaMldPortIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 1), InterfaceIndex())
if mibBuilder.loadTexts: alaMldPortIfIndex.setStatus('current')
if mibBuilder.loadTexts: alaMldPortIfIndex.setDescription("The IP multicast port's ifIndex.")
alaMldPortMaxGroupLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 2), Unsigned32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldPortMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts: alaMldPortMaxGroupLimit.setDescription('The maximum number of MLD Group memberships that can be learnt on the interface.')
alaMldPortMaxGroupExceedAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("drop", 1), ("replace", 2))).clone('none')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: alaMldPortMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts: alaMldPortMaxGroupExceedAction.setDescription('The action to be taken when MLD group membership limit is exceeded for the interface.')
alaMldPortVlan = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13))
alaMldPortVlanTable = MibTable((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1), )
if mibBuilder.loadTexts: alaMldPortVlanTable.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanTable.setDescription('The table listing the MLD group membership limit information for a port/vlan instance.')
alaMldPortVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1), ).setIndexNames((0, "ALCATEL-IND1-MLD-MIB", "alaMldPortIfIndex"), (0, "ALCATEL-IND1-MLD-MIB", "alaMldVlanId"))
if mibBuilder.loadTexts: alaMldPortVlanEntry.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanEntry.setDescription('An entry corresponding to MLD group membership limit on a port/vlan.')
alaMldVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 1), Unsigned32())
if mibBuilder.loadTexts: alaMldVlanId.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanId.setDescription('The IPv6 multicast group membership VLAN.')
alaMldPortVlanCurrentGroupCount = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 2), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldPortVlanCurrentGroupCount.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanCurrentGroupCount.setDescription('The current IPv6 multicast group memberships on a port/vlan instance.')
alaMldPortVlanMaxGroupLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 3), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldPortVlanMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanMaxGroupLimit.setDescription('Maximum MLD Group memberships on the port/vlan instance.')
alaMldPortVlanMaxGroupExceedAction = MibTableColumn((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("none", 0), ("drop", 1), ("replace", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: alaMldPortVlanMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanMaxGroupExceedAction.setDescription('The action to be taken when MLD group membership limit is exceeded for the port/vlan instance.')
alcatelIND1MldMIBConformance = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2))
alcatelIND1MldMIBCompliances = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 1))
alaMldCompliance = ModuleCompliance((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 1, 1)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldMemberGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldStaticMemberGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldNeighborGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldStaticNeighborGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldQuerierGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldStaticQuerierGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldSourceGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldForwardGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldTunnelGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldPortGroup"), ("ALCATEL-IND1-MLD-MIB", "alaMldPortVlanGroup"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldCompliance = alaMldCompliance.setStatus('current')
if mibBuilder.loadTexts: alaMldCompliance.setDescription('The compliance statement for systems running IPv6 multicast switch and routing and implementing ALCATEL-IND1-MLD-MIB.')
alcatelIND1MldMIBGroups = MibIdentifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2))
alaMldGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 1)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldStatus"), ("ALCATEL-IND1-MLD-MIB", "alaMldQuerying"), ("ALCATEL-IND1-MLD-MIB", "alaMldSpoofing"), ("ALCATEL-IND1-MLD-MIB", "alaMldZapping"), ("ALCATEL-IND1-MLD-MIB", "alaMldVersion"), ("ALCATEL-IND1-MLD-MIB", "alaMldRobustness"), ("ALCATEL-IND1-MLD-MIB", "alaMldQueryInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldQueryResponseInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldLastMemberQueryInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldRouterTimeout"), ("ALCATEL-IND1-MLD-MIB", "alaMldSourceTimeout"), ("ALCATEL-IND1-MLD-MIB", "alaMldProxying"), ("ALCATEL-IND1-MLD-MIB", "alaMldUnsolicitedReportInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldQuerierForwarding"), ("ALCATEL-IND1-MLD-MIB", "alaMldMaxGroupLimit"), ("ALCATEL-IND1-MLD-MIB", "alaMldMaxGroupExceedAction"), ("ALCATEL-IND1-MLD-MIB", "alaMldFloodUnknown"), ("ALCATEL-IND1-MLD-MIB", "alaMldHelperAddressType"), ("ALCATEL-IND1-MLD-MIB", "alaMldHelperAddress"), ("ALCATEL-IND1-MLD-MIB", "alaMldZeroBasedQuery"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldGroup = alaMldGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldGroup.setDescription('A collection of objects to support management of IPv6 multicast switching and routing system configuration.')
alaMldVlanGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 2)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldVlanStatus"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanQuerying"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanSpoofing"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanZapping"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanVersion"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanRobustness"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanQueryInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanQueryResponseInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanLastMemberQueryInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanRouterTimeout"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanSourceTimeout"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanProxying"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanUnsolicitedReportInterval"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanQuerierForwarding"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanMaxGroupLimit"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanMaxGroupExceedAction"), ("ALCATEL-IND1-MLD-MIB", "alaMldVlanZeroBasedQuery"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldVlanGroup = alaMldVlanGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldVlanGroup.setDescription('A collection of objects to support management of IPv6 multicast switching and routing vlan configuration.')
alaMldMemberGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 3)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldMemberMode"), ("ALCATEL-IND1-MLD-MIB", "alaMldMemberCount"), ("ALCATEL-IND1-MLD-MIB", "alaMldMemberTimeout"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldMemberGroup = alaMldMemberGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldMemberGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing group membership information.')
alaMldStaticMemberGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 4)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldStaticMemberRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldStaticMemberGroup = alaMldStaticMemberGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticMemberGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static group membership information tables.')
alaMldNeighborGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 5)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldNeighborCount"), ("ALCATEL-IND1-MLD-MIB", "alaMldNeighborTimeout"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldNeighborGroup = alaMldNeighborGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldNeighborGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast router information.')
alaMldStaticNeighborGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 6)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldStaticNeighborRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldStaticNeighborGroup = alaMldStaticNeighborGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticNeighborGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static IP multicast router information.')
alaMldQuerierGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 7)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldQuerierCount"), ("ALCATEL-IND1-MLD-MIB", "alaMldQuerierTimeout"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldQuerierGroup = alaMldQuerierGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldQuerierGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing MLD querier information.')
alaMldStaticQuerierGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 8)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldStaticQuerierRowStatus"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldStaticQuerierGroup = alaMldStaticQuerierGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldStaticQuerierGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static MLD querier information.')
alaMldSourceGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 9)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldSourceIfIndex"), ("ALCATEL-IND1-MLD-MIB", "alaMldSourceType"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldSourceGroup = alaMldSourceGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldSourceGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast source information.')
alaMldForwardGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 10)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldForwardIfIndex"), ("ALCATEL-IND1-MLD-MIB", "alaMldForwardType"), ("ALCATEL-IND1-MLD-MIB", "alaMldForwardNextType"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldForwardGroup = alaMldForwardGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldForwardGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast forward information.')
alaMldTunnelGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 11)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldTunnelIfIndex"), ("ALCATEL-IND1-MLD-MIB", "alaMldTunnelType"), ("ALCATEL-IND1-MLD-MIB", "alaMldTunnelNextType"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldTunnelGroup = alaMldTunnelGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldTunnelGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast tunnel information.')
alaMldPortGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 12)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldPortMaxGroupLimit"), ("ALCATEL-IND1-MLD-MIB", "alaMldPortMaxGroupExceedAction"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldPortGroup = alaMldPortGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldPortGroup.setDescription('A collection of objects to support IPv6 multicast switching configuration.')
alaMldPortVlanGroup = ObjectGroup((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 13)).setObjects(("ALCATEL-IND1-MLD-MIB", "alaMldPortVlanCurrentGroupCount"), ("ALCATEL-IND1-MLD-MIB", "alaMldPortVlanMaxGroupLimit"), ("ALCATEL-IND1-MLD-MIB", "alaMldPortVlanMaxGroupExceedAction"))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
alaMldPortVlanGroup = alaMldPortVlanGroup.setStatus('current')
if mibBuilder.loadTexts: alaMldPortVlanGroup.setDescription('An object to support IPv6 multicast switching group limit information for a port/vlan instance.')
mibBuilder.exportSymbols("ALCATEL-IND1-MLD-MIB", alaMldProxying=alaMldProxying, alaMldForwardTable=alaMldForwardTable, alaMldStaticQuerierIfIndex=alaMldStaticQuerierIfIndex, alaMldVlanQueryResponseInterval=alaMldVlanQueryResponseInterval, alaMldTunnelNextDestAddress=alaMldTunnelNextDestAddress, alaMldNeighbor=alaMldNeighbor, alaMldSourceOrigAddress=alaMldSourceOrigAddress, alaMldPortGroup=alaMldPortGroup, alaMldZapping=alaMldZapping, alaMldForwardGroup=alaMldForwardGroup, alaMldVlanZeroBasedQuery=alaMldVlanZeroBasedQuery, alaMldUnsolicitedReportInterval=alaMldUnsolicitedReportInterval, alaMldVlanQuerying=alaMldVlanQuerying, alaMldStaticQuerier=alaMldStaticQuerier, alaMldPort=alaMldPort, alaMldNeighborTable=alaMldNeighborTable, alaMldZeroBasedQuery=alaMldZeroBasedQuery, alaMldVlanVersion=alaMldVlanVersion, alaMldSourceIfIndex=alaMldSourceIfIndex, alaMldTunnelOrigAddress=alaMldTunnelOrigAddress, alaMldTunnelDestAddress=alaMldTunnelDestAddress, alaMldTunnelType=alaMldTunnelType, alaMldPortVlanMaxGroupExceedAction=alaMldPortVlanMaxGroupExceedAction, alaMldStaticQuerierTable=alaMldStaticQuerierTable, alaMldStatus=alaMldStatus, alaMldVlanSpoofing=alaMldVlanSpoofing, alaMldNeighborVlan=alaMldNeighborVlan, alaMldGroup=alaMldGroup, alcatelIND1MldMIBCompliances=alcatelIND1MldMIBCompliances, alaMldQuerying=alaMldQuerying, alaMldMemberGroupAddress=alaMldMemberGroupAddress, alaMldVlanStatus=alaMldVlanStatus, alaMldStaticMemberGroup=alaMldStaticMemberGroup, alaMldNeighborEntry=alaMldNeighborEntry, alaMldVlanProxying=alaMldVlanProxying, alcatelIND1MldMIB=alcatelIND1MldMIB, alaMldStaticNeighborTable=alaMldStaticNeighborTable, alaMldVlanRouterTimeout=alaMldVlanRouterTimeout, alaMldPortVlanEntry=alaMldPortVlanEntry, alaMldVlan=alaMldVlan, alaMldStaticMemberGroupAddress=alaMldStaticMemberGroupAddress, alaMldQuerierHostAddress=alaMldQuerierHostAddress, alaMldNeighborTimeout=alaMldNeighborTimeout, alaMldForwardNextType=alaMldForwardNextType, alaMldPortTable=alaMldPortTable, alaMldQuerierTable=alaMldQuerierTable, alaMldRobustness=alaMldRobustness, alaMldForwardDestAddress=alaMldForwardDestAddress, alaMldQuerier=alaMldQuerier, alaMldForwardNextIfIndex=alaMldForwardNextIfIndex, alaMldVlanGroup=alaMldVlanGroup, alaMldSourceGroup=alaMldSourceGroup, alaMldMember=alaMldMember, alaMldStaticNeighbor=alaMldStaticNeighbor, alaMldSourceTimeout=alaMldSourceTimeout, alaMldSourceHostAddress=alaMldSourceHostAddress, alaMldQuerierEntry=alaMldQuerierEntry, alaMldMemberVlan=alaMldMemberVlan, alaMldStaticQuerierEntry=alaMldStaticQuerierEntry, alaMldSourceDestAddress=alaMldSourceDestAddress, alaMldMemberCount=alaMldMemberCount, alaMldCompliance=alaMldCompliance, alaMldSourceGroupAddress=alaMldSourceGroupAddress, alaMldStaticNeighborVlan=alaMldStaticNeighborVlan, alaMldVlanSourceTimeout=alaMldVlanSourceTimeout, alaMldLastMemberQueryInterval=alaMldLastMemberQueryInterval, alaMldQuerierGroup=alaMldQuerierGroup, alaMldVlanQueryInterval=alaMldVlanQueryInterval, alaMldForwardEntry=alaMldForwardEntry, alaMldForwardGroupAddress=alaMldForwardGroupAddress, alaMldTunnelGroupAddress=alaMldTunnelGroupAddress, alaMldQuerierCount=alaMldQuerierCount, alaMldTunnelEntry=alaMldTunnelEntry, alaMldForwardNextVlan=alaMldForwardNextVlan, alaMldSource=alaMldSource, alaMldMaxGroupExceedAction=alaMldMaxGroupExceedAction, alaMldForwardVlan=alaMldForwardVlan, alaMldVlanZapping=alaMldVlanZapping, alaMldMemberIfIndex=alaMldMemberIfIndex, alaMldPortIfIndex=alaMldPortIfIndex, alaMldPortVlanCurrentGroupCount=alaMldPortVlanCurrentGroupCount, alaMldStaticMemberRowStatus=alaMldStaticMemberRowStatus, alaMldQuerierTimeout=alaMldQuerierTimeout, alaMldQueryResponseInterval=alaMldQueryResponseInterval, alaMldPortVlan=alaMldPortVlan, alaMldNeighborIfIndex=alaMldNeighborIfIndex, alaMldTunnelVlan=alaMldTunnelVlan, alaMldPortVlanMaxGroupLimit=alaMldPortVlanMaxGroupLimit, alaMldStaticNeighborIfIndex=alaMldStaticNeighborIfIndex, alcatelIND1MldMIBObjects=alcatelIND1MldMIBObjects, alaMldSourceTable=alaMldSourceTable, alcatelIND1MldMIBConformance=alcatelIND1MldMIBConformance, alaMldQuerierIfIndex=alaMldQuerierIfIndex, alaMldForwardIfIndex=alaMldForwardIfIndex, alaMldForwardOrigAddress=alaMldForwardOrigAddress, alaMldVlanLastMemberQueryInterval=alaMldVlanLastMemberQueryInterval, alaMldTunnelHostAddress=alaMldTunnelHostAddress, alaMldVlanEntry=alaMldVlanEntry, alaMldStaticNeighborRowStatus=alaMldStaticNeighborRowStatus, alaMldPortMaxGroupExceedAction=alaMldPortMaxGroupExceedAction, alaMldTunnelTable=alaMldTunnelTable, alaMldNeighborHostAddress=alaMldNeighborHostAddress, alaMldForward=alaMldForward, alaMldQueryInterval=alaMldQueryInterval, alaMldTunnel=alaMldTunnel, alaMldMemberMode=alaMldMemberMode, alaMldMemberEntry=alaMldMemberEntry, alaMldPortEntry=alaMldPortEntry, alaMldMemberTable=alaMldMemberTable, alaMldTunnelIfIndex=alaMldTunnelIfIndex, alaMldQuerierVlan=alaMldQuerierVlan, alaMldVlanId=alaMldVlanId, alaMldStaticNeighborEntry=alaMldStaticNeighborEntry, alaMldMemberTimeout=alaMldMemberTimeout, alaMldMemberGroup=alaMldMemberGroup, alaMldVlanTable=alaMldVlanTable, alaMldSourceVlan=alaMldSourceVlan, alaMldStaticQuerierVlan=alaMldStaticQuerierVlan, alaMldVlanMaxGroupLimit=alaMldVlanMaxGroupLimit, alaMldStaticMemberEntry=alaMldStaticMemberEntry, alaMldVlanUnsolicitedReportInterval=alaMldVlanUnsolicitedReportInterval, alaMldStaticMember=alaMldStaticMember, alaMldTunnelGroup=alaMldTunnelGroup, alaMldSpoofing=alaMldSpoofing, alaMldRouterTimeout=alaMldRouterTimeout, alaMldForwardHostAddress=alaMldForwardHostAddress, alaMldTunnelNextType=alaMldTunnelNextType, alaMldQuerierForwarding=alaMldQuerierForwarding, alaMldPortVlanTable=alaMldPortVlanTable, alaMldMemberSourceAddress=alaMldMemberSourceAddress, alaMldNeighborCount=alaMldNeighborCount, alaMldSourceEntry=alaMldSourceEntry, alaMldStaticQuerierGroup=alaMldStaticQuerierGroup, alaMldVersion=alaMldVersion, alaMldPortVlanGroup=alaMldPortVlanGroup, alaMldVlanIndex=alaMldVlanIndex, alaMld=alaMld, alaMldStaticMemberTable=alaMldStaticMemberTable, alcatelIND1MldMIBGroups=alcatelIND1MldMIBGroups, alaMldStaticQuerierRowStatus=alaMldStaticQuerierRowStatus, PYSNMP_MODULE_ID=alcatelIND1MldMIB, alaMldVlanRobustness=alaMldVlanRobustness, alaMldFloodUnknown=alaMldFloodUnknown, alaMldHelperAddress=alaMldHelperAddress, alaMldStaticMemberIfIndex=alaMldStaticMemberIfIndex, alaMldSourceType=alaMldSourceType, alaMldVlanQuerierForwarding=alaMldVlanQuerierForwarding, alaMldNeighborGroup=alaMldNeighborGroup, alaMldStaticNeighborGroup=alaMldStaticNeighborGroup, alaMldStaticMemberVlan=alaMldStaticMemberVlan, alaMldVlanMaxGroupExceedAction=alaMldVlanMaxGroupExceedAction, alaMldPortMaxGroupLimit=alaMldPortMaxGroupLimit, alaMldHelperAddressType=alaMldHelperAddressType, alaMldMaxGroupLimit=alaMldMaxGroupLimit, alaMldForwardType=alaMldForwardType)
| (softent_ind1_mld,) = mibBuilder.importSymbols('ALCATEL-IND1-BASE', 'softentIND1Mld')
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_range_constraint, single_value_constraint, constraints_union, value_size_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'SingleValueConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'ConstraintsIntersection')
(interface_index,) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndex')
(inet_address_type, inet_address_i_pv6, inet_address) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddressType', 'InetAddressIPv6', 'InetAddress')
(module_compliance, notification_group, object_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup', 'ObjectGroup')
(bits, mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks, mib_identifier, notification_type, integer32, gauge32, ip_address, counter32, counter64, unsigned32, module_identity, iso, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'Bits', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks', 'MibIdentifier', 'NotificationType', 'Integer32', 'Gauge32', 'IpAddress', 'Counter32', 'Counter64', 'Unsigned32', 'ModuleIdentity', 'iso', 'ObjectIdentity')
(display_string, row_status, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'RowStatus', 'TextualConvention')
alcatel_ind1_mld_mib = module_identity((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1))
alcatelIND1MldMIB.setRevisions(('2011-02-23 00:00', '2008-09-10 00:00', '2008-08-08 00:00', '2007-04-03 00:00'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
alcatelIND1MldMIB.setRevisionsDescriptions(('Add zero-based query object and helper address object', 'Add flood unknown object', 'The latest version of this MIB Module. Added maximum group limit objects.', 'The revised version of this MIB Module.'))
if mibBuilder.loadTexts:
alcatelIND1MldMIB.setLastUpdated('201102230000Z')
if mibBuilder.loadTexts:
alcatelIND1MldMIB.setOrganization('Alcatel-Lucent')
if mibBuilder.loadTexts:
alcatelIND1MldMIB.setContactInfo('Please consult with Customer Service to ensure the most appropriate version of this document is used with the products in question: Alcatel-Lucent, Enterprise Solutions Division (Formerly Alcatel Internetworking, Incorporated) 26801 West Agoura Road Agoura Hills, CA 91301-5122 United States Of America Telephone: North America +1 800 995 2696 Latin America +1 877 919 9526 Europe +31 23 556 0100 Asia +65 394 7933 All Other +1 818 878 4507 Electronic Mail: support@ind.alcatel.com World Wide Web: http://alcatel-lucent.com/wps/portal/enterprise File Transfer Protocol: ftp://ftp.ind.alcatel.com/pub/products/mibs')
if mibBuilder.loadTexts:
alcatelIND1MldMIB.setDescription('This module describes an authoritative enterprise-specific Simple Network Management Protocol (SNMP) Management Information Base (MIB): Proprietary IPv6 Multicast MIB definitions The right to make changes in specification and other information contained in this document without prior notice is reserved. No liability shall be assumed for any incidental, indirect, special, or consequential damages whatsoever arising from or related to this document or the information contained herein. Vendors, end-users, and other interested parties are granted non-exclusive license to use this specification in connection with management of the products for which it is intended to be used. Copyright (C) 1995-2007 Alcatel-Lucent ALL RIGHTS RESERVED WORLDWIDE')
alcatel_ind1_mld_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1))
ala_mld = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1))
ala_mld_status = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldStatus.setStatus('current')
if mibBuilder.loadTexts:
alaMldStatus.setDescription('Administratively enable IPv6 multicast switching and routing on the system.')
ala_mld_querying = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldQuerying.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerying.setDescription('Administratively enable MLD Querying on the system.')
ala_mld_spoofing = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldSpoofing.setStatus('current')
if mibBuilder.loadTexts:
alaMldSpoofing.setDescription('Administratively enable MLD Spoofing on the system.')
ala_mld_zapping = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldZapping.setStatus('current')
if mibBuilder.loadTexts:
alaMldZapping.setDescription('Administratively enable MLD Zapping on the system.')
ala_mld_version = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 5), unsigned32().clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVersion.setStatus('current')
if mibBuilder.loadTexts:
alaMldVersion.setDescription('Set the default MLD protocol Version running on the system.')
ala_mld_robustness = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 6), unsigned32().clone(2)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldRobustness.setStatus('current')
if mibBuilder.loadTexts:
alaMldRobustness.setDescription('Set the MLD Robustness variable used on the system.')
ala_mld_query_interval = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 7), unsigned32().clone(125)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldQueryInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldQueryInterval.setDescription('Set the MLD Query Interval used on the system.')
ala_mld_query_response_interval = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 8), unsigned32().clone(10000)).setUnits('milliseconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldQueryResponseInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldQueryResponseInterval.setDescription('Set the MLD Query Response Interval on the system.')
ala_mld_last_member_query_interval = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 9), unsigned32().clone(1000)).setUnits('milliseconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldLastMemberQueryInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldLastMemberQueryInterval.setDescription('Set the MLD Last Member Query Interval on the system.')
ala_mld_router_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 10), unsigned32().clone(90)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldRouterTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldRouterTimeout.setDescription('The MLD Router Timeout on the system.')
ala_mld_source_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 11), unsigned32().clone(30)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldSourceTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceTimeout.setDescription('The MLD Source Timeout on the system.')
ala_mld_proxying = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldProxying.setStatus('current')
if mibBuilder.loadTexts:
alaMldProxying.setDescription('Administratively enable MLD Proxying on the system.')
ala_mld_unsolicited_report_interval = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 13), unsigned32().clone(1)).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldUnsolicitedReportInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldUnsolicitedReportInterval.setDescription('The MLD Unsolicited Report Interval on the system.')
ala_mld_querier_forwarding = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldQuerierForwarding.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierForwarding.setDescription('Administratively enable MLD Querier Forwarding on the system.')
ala_mld_max_group_limit = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 15), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts:
alaMldMaxGroupLimit.setDescription('The global limit on maximum number of MLD Group memberships that can be learnt on each port/vlan instance.')
ala_mld_max_group_exceed_action = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('drop', 1), ('replace', 2))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts:
alaMldMaxGroupExceedAction.setDescription('The global configuration of action to be taken when MLD group membership limit is exceeded on a port/vlan instance.')
ala_mld_flood_unknown = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldFloodUnknown.setStatus('current')
if mibBuilder.loadTexts:
alaMldFloodUnknown.setDescription('Administratively enable flooding of multicast data packets during flow learning and setup.')
ala_mld_helper_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 18), inet_address_type().subtype(subtypeSpec=value_range_constraint(2, 2))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldHelperAddressType.setStatus('current')
if mibBuilder.loadTexts:
alaMldHelperAddressType.setDescription('Set the address type of the helper address. Must be ipv4(1) and set at the same time as alaMldHelperAddress.')
ala_mld_helper_address = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 19), inet_address().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldHelperAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldHelperAddress.setDescription('The configured IPv6 helper address. When an MLD report or leave is received by the device it will remove the IP header and regenerate a new IP header with a destination IP address specified. Use :: to no longer help an MLD report to an remote address. Must be set at the same time as alaMldHelperAddressType')
ala_mld_zero_based_query = mib_scalar((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldZeroBasedQuery.setStatus('current')
if mibBuilder.loadTexts:
alaMldZeroBasedQuery.setDescription('Administratively enable the use of an all-zero source IPv6 address for query packets when a non-querier is querying the membership of a port')
ala_mld_vlan = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2))
ala_mld_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1))
if mibBuilder.loadTexts:
alaMldVlanTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanTable.setDescription('The VLAN table contains the information on which IPv6 multicast switching and routing is configured.')
ala_mld_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldVlanIndex'))
if mibBuilder.loadTexts:
alaMldVlanEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanEntry.setDescription('An entry corresponds to a VLAN on which IPv6 multicast switching and routing is configured.')
ala_mld_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldVlanIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanIndex.setDescription('The VLAN on which IPv6 multicast switching and routing is configured.')
ala_mld_vlan_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanStatus.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanStatus.setDescription('Administratively enable IPv6 multicast switching and routing on the VLAN.')
ala_mld_vlan_querying = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanQuerying.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanQuerying.setDescription('Administratively enable MLD Querying on the VLAN.')
ala_mld_vlan_spoofing = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanSpoofing.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanSpoofing.setDescription('Administratively enable MLD Spoofing on the VLAN.')
ala_mld_vlan_zapping = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanZapping.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanZapping.setDescription('Administratively enable MLD Zapping on the VLAN.')
ala_mld_vlan_version = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 6), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanVersion.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanVersion.setDescription('Set the default MLD protocol Version running on the VLAN.')
ala_mld_vlan_robustness = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 7), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanRobustness.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanRobustness.setDescription('Set the MLD Robustness variable used on the VLAN.')
ala_mld_vlan_query_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 8), unsigned32()).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanQueryInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanQueryInterval.setDescription('Set the MLD Query Interval used on the VLAN.')
ala_mld_vlan_query_response_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 9), unsigned32()).setUnits('milliseconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanQueryResponseInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanQueryResponseInterval.setDescription('Set the MLD Query Response Interval on the VLAN.')
ala_mld_vlan_last_member_query_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 10), unsigned32()).setUnits('milliseconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanLastMemberQueryInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanLastMemberQueryInterval.setDescription('Set the MLD Last Member Query Interval on the VLAN.')
ala_mld_vlan_router_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 11), unsigned32()).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanRouterTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanRouterTimeout.setDescription('Set the MLD Router Timeout on the VLAN.')
ala_mld_vlan_source_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 12), unsigned32()).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanSourceTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanSourceTimeout.setDescription('Set the MLD Source Timeout on the VLAN.')
ala_mld_vlan_proxying = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanProxying.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanProxying.setDescription('Administratively enable MLD Proxying on the VLAN.')
ala_mld_vlan_unsolicited_report_interval = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 14), unsigned32()).setUnits('seconds').setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanUnsolicitedReportInterval.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanUnsolicitedReportInterval.setDescription('Set the MLD Unsolicited Report Interval on the VLAN.')
ala_mld_vlan_querier_forwarding = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanQuerierForwarding.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanQuerierForwarding.setDescription('Administratively enable MLD Querier Forwarding on the VLAN.')
ala_mld_vlan_max_group_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 16), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanMaxGroupLimit.setDescription('The maximum number of MLD Group memberships that can be learnt on the VLAN.')
ala_mld_vlan_max_group_exceed_action = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('drop', 1), ('replace', 2))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanMaxGroupExceedAction.setDescription('The action to be taken when the MLD group membership limit is exceeded on the VLAN.')
ala_mld_vlan_zero_based_query = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 2, 1, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldVlanZeroBasedQuery.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanZeroBasedQuery.setDescription('Administratively enable the use of an all-zero source IPv6 address for query packets when a non-querier is querying the membership of a port on the VLAN')
ala_mld_member = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3))
ala_mld_member_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1))
if mibBuilder.loadTexts:
alaMldMemberTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberTable.setDescription('The table listing the MLD group membership information.')
ala_mld_member_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldMemberVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldMemberIfIndex'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldMemberGroupAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldMemberSourceAddress'))
if mibBuilder.loadTexts:
alaMldMemberEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberEntry.setDescription('An entry corresponding to an MLD group membership request.')
ala_mld_member_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldMemberVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberVlan.setDescription("The group membership request's VLAN.")
ala_mld_member_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldMemberIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberIfIndex.setDescription("The group membership request's ifIndex.")
ala_mld_member_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldMemberGroupAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberGroupAddress.setDescription("The group membership request's IPv6 group address.")
ala_mld_member_source_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 4), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldMemberSourceAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberSourceAddress.setDescription("The group membership request's IPv6 source address.")
ala_mld_member_mode = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('include', 1), ('exclude', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldMemberMode.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberMode.setDescription("The group membership request's MLD source filter mode.")
ala_mld_member_count = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 6), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldMemberCount.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberCount.setDescription("The group membership request's counter.")
ala_mld_member_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 3, 1, 1, 7), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldMemberTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberTimeout.setDescription("The group membership request's timeout.")
ala_mld_static_member = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4))
ala_mld_static_member_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1))
if mibBuilder.loadTexts:
alaMldStaticMemberTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberTable.setDescription('The table listing the static MLD group membership information.')
ala_mld_static_member_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticMemberVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticMemberIfIndex'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticMemberGroupAddress'))
if mibBuilder.loadTexts:
alaMldStaticMemberEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberEntry.setDescription('An entry corresponding to a static MLD group membership request.')
ala_mld_static_member_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldStaticMemberVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberVlan.setDescription("The static group membership request's VLAN.")
ala_mld_static_member_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldStaticMemberIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberIfIndex.setDescription("The static group membership request's ifIndex.")
ala_mld_static_member_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldStaticMemberGroupAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberGroupAddress.setDescription("The static group membership request's IPv6 group address.")
ala_mld_static_member_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 4, 1, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
alaMldStaticMemberRowStatus.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
ala_mld_neighbor = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5))
ala_mld_neighbor_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1))
if mibBuilder.loadTexts:
alaMldNeighborTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborTable.setDescription('The table listing the neighboring IP multicast routers.')
ala_mld_neighbor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldNeighborVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldNeighborIfIndex'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldNeighborHostAddress'))
if mibBuilder.loadTexts:
alaMldNeighborEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborEntry.setDescription('An entry corresponding to an IP multicast router.')
ala_mld_neighbor_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldNeighborVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborVlan.setDescription("The IP multicast router's VLAN.")
ala_mld_neighbor_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldNeighborIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborIfIndex.setDescription("The IP multicast router's ifIndex.")
ala_mld_neighbor_host_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldNeighborHostAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborHostAddress.setDescription("The IP multicast router's IPv6 host address.")
ala_mld_neighbor_count = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldNeighborCount.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborCount.setDescription("The IP multicast router's counter.")
ala_mld_neighbor_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 5, 1, 1, 5), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldNeighborTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborTimeout.setDescription("The IP multicast router's timeout.")
ala_mld_static_neighbor = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6))
ala_mld_static_neighbor_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1))
if mibBuilder.loadTexts:
alaMldStaticNeighborTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborTable.setDescription('The table listing the static IP multicast routers.')
ala_mld_static_neighbor_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticNeighborVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticNeighborIfIndex'))
if mibBuilder.loadTexts:
alaMldStaticNeighborEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborEntry.setDescription('An entry corresponding to a static IP multicast router.')
ala_mld_static_neighbor_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldStaticNeighborVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborVlan.setDescription("The static IP multicast router's VLAN.")
ala_mld_static_neighbor_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldStaticNeighborIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborIfIndex.setDescription("The static IP multicast router's ifIndex.")
ala_mld_static_neighbor_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 6, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
alaMldStaticNeighborRowStatus.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
ala_mld_querier = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7))
ala_mld_querier_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1))
if mibBuilder.loadTexts:
alaMldQuerierTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierTable.setDescription('The table listing the neighboring MLD queriers.')
ala_mld_querier_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldQuerierVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldQuerierIfIndex'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldQuerierHostAddress'))
if mibBuilder.loadTexts:
alaMldQuerierEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierEntry.setDescription('An entry corresponding to an MLD querier.')
ala_mld_querier_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldQuerierVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierVlan.setDescription("The MLD querier's VLAN.")
ala_mld_querier_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldQuerierIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierIfIndex.setDescription("The MLD querier's ifIndex.")
ala_mld_querier_host_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldQuerierHostAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierHostAddress.setDescription("The MLD querier's IPv6 host address.")
ala_mld_querier_count = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldQuerierCount.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierCount.setDescription("The MLD querier's counter.")
ala_mld_querier_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 7, 1, 1, 5), time_ticks()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldQuerierTimeout.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierTimeout.setDescription("The MLD querier's timeout.")
ala_mld_static_querier = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8))
ala_mld_static_querier_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1))
if mibBuilder.loadTexts:
alaMldStaticQuerierTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierTable.setDescription('The table listing the static MLD queriers.')
ala_mld_static_querier_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticQuerierVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldStaticQuerierIfIndex'))
if mibBuilder.loadTexts:
alaMldStaticQuerierEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierEntry.setDescription('An entry corresponding to a static MLD querier.')
ala_mld_static_querier_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldStaticQuerierVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierVlan.setDescription("The static MLD querier's VLAN.")
ala_mld_static_querier_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 2), interface_index())
if mibBuilder.loadTexts:
alaMldStaticQuerierIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierIfIndex.setDescription("The static MLD querier's ifIndex.")
ala_mld_static_querier_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 8, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
alaMldStaticQuerierRowStatus.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierRowStatus.setDescription('Used in accordance with installation and removal conventions for conceptual rows.')
ala_mld_source = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9))
ala_mld_source_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1))
if mibBuilder.loadTexts:
alaMldSourceTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceTable.setDescription('The table listing the IP multicast source information.')
ala_mld_source_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldSourceVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldSourceGroupAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldSourceHostAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldSourceDestAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldSourceOrigAddress'))
if mibBuilder.loadTexts:
alaMldSourceEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceEntry.setDescription('An entry corresponding to an IP multicast source flow.')
ala_mld_source_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldSourceVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceVlan.setDescription("The IP multicast source flow's VLAN.")
ala_mld_source_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 2), interface_index()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldSourceIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceIfIndex.setDescription("The IP multicast source flow's ifIndex.")
ala_mld_source_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldSourceGroupAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceGroupAddress.setDescription("The IP multicast source flow's IPv6 group address.")
ala_mld_source_host_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 4), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldSourceHostAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceHostAddress.setDescription("The IP multicast source flow's IPv6 host address.")
ala_mld_source_dest_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 5), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldSourceDestAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceDestAddress.setDescription("The IP multicast source flow's IPv6 tunnel destination address.")
ala_mld_source_orig_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 6), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldSourceOrigAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceOrigAddress.setDescription("The IP multicast source flow's IPv6 tunnel source address.")
ala_mld_source_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 9, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcast', 1), ('pim', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldSourceType.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceType.setDescription("The IP multicast source flow's encapsulation type.")
ala_mld_forward = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10))
ala_mld_forward_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1))
if mibBuilder.loadTexts:
alaMldForwardTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardTable.setDescription('The table listing the IP multicast forward information.')
ala_mld_forward_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardGroupAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardHostAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardDestAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardOrigAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardNextVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldForwardNextIfIndex'))
if mibBuilder.loadTexts:
alaMldForwardEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardEntry.setDescription('An entry corresponding to an IP multicast forwarded flow.')
ala_mld_forward_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldForwardVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardVlan.setDescription("The IP multicast forwarded flow's VLAN.")
ala_mld_forward_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 2), interface_index()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldForwardIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardIfIndex.setDescription("The IP multicast forwarded flow's ifIndex.")
ala_mld_forward_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldForwardGroupAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardGroupAddress.setDescription("The IP multicast forwarded flow's IPv6 group address.")
ala_mld_forward_host_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 4), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldForwardHostAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardHostAddress.setDescription("The IP multicast forwarded flow's IPv6 host address.")
ala_mld_forward_dest_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 5), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldForwardDestAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardDestAddress.setDescription("The IP multicast forwarded flow's IPv6 tunnel destination address.")
ala_mld_forward_orig_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 6), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldForwardOrigAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardOrigAddress.setDescription("The IP multicast forwarded flow's IPv6 tunnel source address.")
ala_mld_forward_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcast', 1), ('pim', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldForwardType.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardType.setDescription("The IP multicast forwarded flow's encapsulation type.")
ala_mld_forward_next_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 8), unsigned32())
if mibBuilder.loadTexts:
alaMldForwardNextVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardNextVlan.setDescription("The IP multicast forwarded flow's next VLAN.")
ala_mld_forward_next_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 9), interface_index())
if mibBuilder.loadTexts:
alaMldForwardNextIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardNextIfIndex.setDescription("The IP multicast forwarded flow's next ifIndex.")
ala_mld_forward_next_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 10, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcast', 1), ('pim', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldForwardNextType.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardNextType.setDescription("The IP multicast forwarded flow's next encapsulation type.")
ala_mld_tunnel = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11))
ala_mld_tunnel_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1))
if mibBuilder.loadTexts:
alaMldTunnelTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelTable.setDescription('The table listing the IP multicast tunnel information.')
ala_mld_tunnel_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelVlan'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelGroupAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelHostAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelDestAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelOrigAddress'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldTunnelNextDestAddress'))
if mibBuilder.loadTexts:
alaMldTunnelEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelEntry.setDescription('An entry corresponding to an IP multicast tunneled flow.')
ala_mld_tunnel_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldTunnelVlan.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelVlan.setDescription("The IP multicast tunneled flow's VLAN.")
ala_mld_tunnel_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 2), interface_index()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldTunnelIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelIfIndex.setDescription("The IP multicast tunneled flow's ifIndex.")
ala_mld_tunnel_group_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 3), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldTunnelGroupAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelGroupAddress.setDescription("The IP multicast tunneled flow's IPv6 group address.")
ala_mld_tunnel_host_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 4), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldTunnelHostAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelHostAddress.setDescription("The IP multicast tunneled flow's IPv6 host address.")
ala_mld_tunnel_dest_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 5), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldTunnelDestAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelDestAddress.setDescription("The IP multicast tunneled flow's IPv6 tunnel destination address.")
ala_mld_tunnel_orig_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 6), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldTunnelOrigAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelOrigAddress.setDescription("The IP multicast tunneled flow's IPv6 tunnel source address.")
ala_mld_tunnel_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcast', 1), ('pim', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldTunnelType.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelType.setDescription("The IP multicast tunneled flow's encapsulation type.")
ala_mld_tunnel_next_dest_address = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 8), inet_address_i_pv6())
if mibBuilder.loadTexts:
alaMldTunnelNextDestAddress.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelNextDestAddress.setDescription("The IP multicast tunneled flow's next IPv6 tunnel destination address.")
ala_mld_tunnel_next_type = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 11, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mcast', 1), ('pim', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldTunnelNextType.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelNextType.setDescription("The IP multicast tunneled flow's next encapsulation type.")
ala_mld_port = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12))
ala_mld_port_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1))
if mibBuilder.loadTexts:
alaMldPortTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortTable.setDescription('The table listing the IPv6 Multicast port information.')
ala_mld_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldPortIfIndex'))
if mibBuilder.loadTexts:
alaMldPortEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortEntry.setDescription('An entry corresponding to IPv6 Multicast port information.')
ala_mld_port_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 1), interface_index())
if mibBuilder.loadTexts:
alaMldPortIfIndex.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortIfIndex.setDescription("The IP multicast port's ifIndex.")
ala_mld_port_max_group_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 2), unsigned32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldPortMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortMaxGroupLimit.setDescription('The maximum number of MLD Group memberships that can be learnt on the interface.')
ala_mld_port_max_group_exceed_action = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 12, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('drop', 1), ('replace', 2))).clone('none')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
alaMldPortMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortMaxGroupExceedAction.setDescription('The action to be taken when MLD group membership limit is exceeded for the interface.')
ala_mld_port_vlan = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13))
ala_mld_port_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1))
if mibBuilder.loadTexts:
alaMldPortVlanTable.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanTable.setDescription('The table listing the MLD group membership limit information for a port/vlan instance.')
ala_mld_port_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1)).setIndexNames((0, 'ALCATEL-IND1-MLD-MIB', 'alaMldPortIfIndex'), (0, 'ALCATEL-IND1-MLD-MIB', 'alaMldVlanId'))
if mibBuilder.loadTexts:
alaMldPortVlanEntry.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanEntry.setDescription('An entry corresponding to MLD group membership limit on a port/vlan.')
ala_mld_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 1), unsigned32())
if mibBuilder.loadTexts:
alaMldVlanId.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanId.setDescription('The IPv6 multicast group membership VLAN.')
ala_mld_port_vlan_current_group_count = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 2), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldPortVlanCurrentGroupCount.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanCurrentGroupCount.setDescription('The current IPv6 multicast group memberships on a port/vlan instance.')
ala_mld_port_vlan_max_group_limit = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 3), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldPortVlanMaxGroupLimit.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanMaxGroupLimit.setDescription('Maximum MLD Group memberships on the port/vlan instance.')
ala_mld_port_vlan_max_group_exceed_action = mib_table_column((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 1, 13, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('none', 0), ('drop', 1), ('replace', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
alaMldPortVlanMaxGroupExceedAction.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanMaxGroupExceedAction.setDescription('The action to be taken when MLD group membership limit is exceeded for the port/vlan instance.')
alcatel_ind1_mld_mib_conformance = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2))
alcatel_ind1_mld_mib_compliances = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 1))
ala_mld_compliance = module_compliance((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 1, 1)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldMemberGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldStaticMemberGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldNeighborGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldStaticNeighborGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQuerierGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldStaticQuerierGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldSourceGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldForwardGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldTunnelGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldPortGroup'), ('ALCATEL-IND1-MLD-MIB', 'alaMldPortVlanGroup'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_compliance = alaMldCompliance.setStatus('current')
if mibBuilder.loadTexts:
alaMldCompliance.setDescription('The compliance statement for systems running IPv6 multicast switch and routing and implementing ALCATEL-IND1-MLD-MIB.')
alcatel_ind1_mld_mib_groups = mib_identifier((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2))
ala_mld_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 1)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldStatus'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQuerying'), ('ALCATEL-IND1-MLD-MIB', 'alaMldSpoofing'), ('ALCATEL-IND1-MLD-MIB', 'alaMldZapping'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVersion'), ('ALCATEL-IND1-MLD-MIB', 'alaMldRobustness'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQueryInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQueryResponseInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldLastMemberQueryInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldRouterTimeout'), ('ALCATEL-IND1-MLD-MIB', 'alaMldSourceTimeout'), ('ALCATEL-IND1-MLD-MIB', 'alaMldProxying'), ('ALCATEL-IND1-MLD-MIB', 'alaMldUnsolicitedReportInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQuerierForwarding'), ('ALCATEL-IND1-MLD-MIB', 'alaMldMaxGroupLimit'), ('ALCATEL-IND1-MLD-MIB', 'alaMldMaxGroupExceedAction'), ('ALCATEL-IND1-MLD-MIB', 'alaMldFloodUnknown'), ('ALCATEL-IND1-MLD-MIB', 'alaMldHelperAddressType'), ('ALCATEL-IND1-MLD-MIB', 'alaMldHelperAddress'), ('ALCATEL-IND1-MLD-MIB', 'alaMldZeroBasedQuery'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_group = alaMldGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldGroup.setDescription('A collection of objects to support management of IPv6 multicast switching and routing system configuration.')
ala_mld_vlan_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 2)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldVlanStatus'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanQuerying'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanSpoofing'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanZapping'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanVersion'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanRobustness'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanQueryInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanQueryResponseInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanLastMemberQueryInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanRouterTimeout'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanSourceTimeout'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanProxying'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanUnsolicitedReportInterval'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanQuerierForwarding'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanMaxGroupLimit'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanMaxGroupExceedAction'), ('ALCATEL-IND1-MLD-MIB', 'alaMldVlanZeroBasedQuery'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_vlan_group = alaMldVlanGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldVlanGroup.setDescription('A collection of objects to support management of IPv6 multicast switching and routing vlan configuration.')
ala_mld_member_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 3)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldMemberMode'), ('ALCATEL-IND1-MLD-MIB', 'alaMldMemberCount'), ('ALCATEL-IND1-MLD-MIB', 'alaMldMemberTimeout'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_member_group = alaMldMemberGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldMemberGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing group membership information.')
ala_mld_static_member_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 4)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldStaticMemberRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_static_member_group = alaMldStaticMemberGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticMemberGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static group membership information tables.')
ala_mld_neighbor_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 5)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldNeighborCount'), ('ALCATEL-IND1-MLD-MIB', 'alaMldNeighborTimeout'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_neighbor_group = alaMldNeighborGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldNeighborGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast router information.')
ala_mld_static_neighbor_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 6)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldStaticNeighborRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_static_neighbor_group = alaMldStaticNeighborGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticNeighborGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static IP multicast router information.')
ala_mld_querier_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 7)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldQuerierCount'), ('ALCATEL-IND1-MLD-MIB', 'alaMldQuerierTimeout'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_querier_group = alaMldQuerierGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldQuerierGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing MLD querier information.')
ala_mld_static_querier_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 8)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldStaticQuerierRowStatus'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_static_querier_group = alaMldStaticQuerierGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldStaticQuerierGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing static MLD querier information.')
ala_mld_source_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 9)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldSourceIfIndex'), ('ALCATEL-IND1-MLD-MIB', 'alaMldSourceType'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_source_group = alaMldSourceGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldSourceGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast source information.')
ala_mld_forward_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 10)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldForwardIfIndex'), ('ALCATEL-IND1-MLD-MIB', 'alaMldForwardType'), ('ALCATEL-IND1-MLD-MIB', 'alaMldForwardNextType'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_forward_group = alaMldForwardGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldForwardGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast forward information.')
ala_mld_tunnel_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 11)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldTunnelIfIndex'), ('ALCATEL-IND1-MLD-MIB', 'alaMldTunnelType'), ('ALCATEL-IND1-MLD-MIB', 'alaMldTunnelNextType'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_tunnel_group = alaMldTunnelGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldTunnelGroup.setDescription('A collection of objects to support IPv6 multicast switching and routing IP multicast tunnel information.')
ala_mld_port_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 12)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldPortMaxGroupLimit'), ('ALCATEL-IND1-MLD-MIB', 'alaMldPortMaxGroupExceedAction'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_port_group = alaMldPortGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortGroup.setDescription('A collection of objects to support IPv6 multicast switching configuration.')
ala_mld_port_vlan_group = object_group((1, 3, 6, 1, 4, 1, 6486, 801, 1, 2, 1, 35, 1, 2, 2, 13)).setObjects(('ALCATEL-IND1-MLD-MIB', 'alaMldPortVlanCurrentGroupCount'), ('ALCATEL-IND1-MLD-MIB', 'alaMldPortVlanMaxGroupLimit'), ('ALCATEL-IND1-MLD-MIB', 'alaMldPortVlanMaxGroupExceedAction'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
ala_mld_port_vlan_group = alaMldPortVlanGroup.setStatus('current')
if mibBuilder.loadTexts:
alaMldPortVlanGroup.setDescription('An object to support IPv6 multicast switching group limit information for a port/vlan instance.')
mibBuilder.exportSymbols('ALCATEL-IND1-MLD-MIB', alaMldProxying=alaMldProxying, alaMldForwardTable=alaMldForwardTable, alaMldStaticQuerierIfIndex=alaMldStaticQuerierIfIndex, alaMldVlanQueryResponseInterval=alaMldVlanQueryResponseInterval, alaMldTunnelNextDestAddress=alaMldTunnelNextDestAddress, alaMldNeighbor=alaMldNeighbor, alaMldSourceOrigAddress=alaMldSourceOrigAddress, alaMldPortGroup=alaMldPortGroup, alaMldZapping=alaMldZapping, alaMldForwardGroup=alaMldForwardGroup, alaMldVlanZeroBasedQuery=alaMldVlanZeroBasedQuery, alaMldUnsolicitedReportInterval=alaMldUnsolicitedReportInterval, alaMldVlanQuerying=alaMldVlanQuerying, alaMldStaticQuerier=alaMldStaticQuerier, alaMldPort=alaMldPort, alaMldNeighborTable=alaMldNeighborTable, alaMldZeroBasedQuery=alaMldZeroBasedQuery, alaMldVlanVersion=alaMldVlanVersion, alaMldSourceIfIndex=alaMldSourceIfIndex, alaMldTunnelOrigAddress=alaMldTunnelOrigAddress, alaMldTunnelDestAddress=alaMldTunnelDestAddress, alaMldTunnelType=alaMldTunnelType, alaMldPortVlanMaxGroupExceedAction=alaMldPortVlanMaxGroupExceedAction, alaMldStaticQuerierTable=alaMldStaticQuerierTable, alaMldStatus=alaMldStatus, alaMldVlanSpoofing=alaMldVlanSpoofing, alaMldNeighborVlan=alaMldNeighborVlan, alaMldGroup=alaMldGroup, alcatelIND1MldMIBCompliances=alcatelIND1MldMIBCompliances, alaMldQuerying=alaMldQuerying, alaMldMemberGroupAddress=alaMldMemberGroupAddress, alaMldVlanStatus=alaMldVlanStatus, alaMldStaticMemberGroup=alaMldStaticMemberGroup, alaMldNeighborEntry=alaMldNeighborEntry, alaMldVlanProxying=alaMldVlanProxying, alcatelIND1MldMIB=alcatelIND1MldMIB, alaMldStaticNeighborTable=alaMldStaticNeighborTable, alaMldVlanRouterTimeout=alaMldVlanRouterTimeout, alaMldPortVlanEntry=alaMldPortVlanEntry, alaMldVlan=alaMldVlan, alaMldStaticMemberGroupAddress=alaMldStaticMemberGroupAddress, alaMldQuerierHostAddress=alaMldQuerierHostAddress, alaMldNeighborTimeout=alaMldNeighborTimeout, alaMldForwardNextType=alaMldForwardNextType, alaMldPortTable=alaMldPortTable, alaMldQuerierTable=alaMldQuerierTable, alaMldRobustness=alaMldRobustness, alaMldForwardDestAddress=alaMldForwardDestAddress, alaMldQuerier=alaMldQuerier, alaMldForwardNextIfIndex=alaMldForwardNextIfIndex, alaMldVlanGroup=alaMldVlanGroup, alaMldSourceGroup=alaMldSourceGroup, alaMldMember=alaMldMember, alaMldStaticNeighbor=alaMldStaticNeighbor, alaMldSourceTimeout=alaMldSourceTimeout, alaMldSourceHostAddress=alaMldSourceHostAddress, alaMldQuerierEntry=alaMldQuerierEntry, alaMldMemberVlan=alaMldMemberVlan, alaMldStaticQuerierEntry=alaMldStaticQuerierEntry, alaMldSourceDestAddress=alaMldSourceDestAddress, alaMldMemberCount=alaMldMemberCount, alaMldCompliance=alaMldCompliance, alaMldSourceGroupAddress=alaMldSourceGroupAddress, alaMldStaticNeighborVlan=alaMldStaticNeighborVlan, alaMldVlanSourceTimeout=alaMldVlanSourceTimeout, alaMldLastMemberQueryInterval=alaMldLastMemberQueryInterval, alaMldQuerierGroup=alaMldQuerierGroup, alaMldVlanQueryInterval=alaMldVlanQueryInterval, alaMldForwardEntry=alaMldForwardEntry, alaMldForwardGroupAddress=alaMldForwardGroupAddress, alaMldTunnelGroupAddress=alaMldTunnelGroupAddress, alaMldQuerierCount=alaMldQuerierCount, alaMldTunnelEntry=alaMldTunnelEntry, alaMldForwardNextVlan=alaMldForwardNextVlan, alaMldSource=alaMldSource, alaMldMaxGroupExceedAction=alaMldMaxGroupExceedAction, alaMldForwardVlan=alaMldForwardVlan, alaMldVlanZapping=alaMldVlanZapping, alaMldMemberIfIndex=alaMldMemberIfIndex, alaMldPortIfIndex=alaMldPortIfIndex, alaMldPortVlanCurrentGroupCount=alaMldPortVlanCurrentGroupCount, alaMldStaticMemberRowStatus=alaMldStaticMemberRowStatus, alaMldQuerierTimeout=alaMldQuerierTimeout, alaMldQueryResponseInterval=alaMldQueryResponseInterval, alaMldPortVlan=alaMldPortVlan, alaMldNeighborIfIndex=alaMldNeighborIfIndex, alaMldTunnelVlan=alaMldTunnelVlan, alaMldPortVlanMaxGroupLimit=alaMldPortVlanMaxGroupLimit, alaMldStaticNeighborIfIndex=alaMldStaticNeighborIfIndex, alcatelIND1MldMIBObjects=alcatelIND1MldMIBObjects, alaMldSourceTable=alaMldSourceTable, alcatelIND1MldMIBConformance=alcatelIND1MldMIBConformance, alaMldQuerierIfIndex=alaMldQuerierIfIndex, alaMldForwardIfIndex=alaMldForwardIfIndex, alaMldForwardOrigAddress=alaMldForwardOrigAddress, alaMldVlanLastMemberQueryInterval=alaMldVlanLastMemberQueryInterval, alaMldTunnelHostAddress=alaMldTunnelHostAddress, alaMldVlanEntry=alaMldVlanEntry, alaMldStaticNeighborRowStatus=alaMldStaticNeighborRowStatus, alaMldPortMaxGroupExceedAction=alaMldPortMaxGroupExceedAction, alaMldTunnelTable=alaMldTunnelTable, alaMldNeighborHostAddress=alaMldNeighborHostAddress, alaMldForward=alaMldForward, alaMldQueryInterval=alaMldQueryInterval, alaMldTunnel=alaMldTunnel, alaMldMemberMode=alaMldMemberMode, alaMldMemberEntry=alaMldMemberEntry, alaMldPortEntry=alaMldPortEntry, alaMldMemberTable=alaMldMemberTable, alaMldTunnelIfIndex=alaMldTunnelIfIndex, alaMldQuerierVlan=alaMldQuerierVlan, alaMldVlanId=alaMldVlanId, alaMldStaticNeighborEntry=alaMldStaticNeighborEntry, alaMldMemberTimeout=alaMldMemberTimeout, alaMldMemberGroup=alaMldMemberGroup, alaMldVlanTable=alaMldVlanTable, alaMldSourceVlan=alaMldSourceVlan, alaMldStaticQuerierVlan=alaMldStaticQuerierVlan, alaMldVlanMaxGroupLimit=alaMldVlanMaxGroupLimit, alaMldStaticMemberEntry=alaMldStaticMemberEntry, alaMldVlanUnsolicitedReportInterval=alaMldVlanUnsolicitedReportInterval, alaMldStaticMember=alaMldStaticMember, alaMldTunnelGroup=alaMldTunnelGroup, alaMldSpoofing=alaMldSpoofing, alaMldRouterTimeout=alaMldRouterTimeout, alaMldForwardHostAddress=alaMldForwardHostAddress, alaMldTunnelNextType=alaMldTunnelNextType, alaMldQuerierForwarding=alaMldQuerierForwarding, alaMldPortVlanTable=alaMldPortVlanTable, alaMldMemberSourceAddress=alaMldMemberSourceAddress, alaMldNeighborCount=alaMldNeighborCount, alaMldSourceEntry=alaMldSourceEntry, alaMldStaticQuerierGroup=alaMldStaticQuerierGroup, alaMldVersion=alaMldVersion, alaMldPortVlanGroup=alaMldPortVlanGroup, alaMldVlanIndex=alaMldVlanIndex, alaMld=alaMld, alaMldStaticMemberTable=alaMldStaticMemberTable, alcatelIND1MldMIBGroups=alcatelIND1MldMIBGroups, alaMldStaticQuerierRowStatus=alaMldStaticQuerierRowStatus, PYSNMP_MODULE_ID=alcatelIND1MldMIB, alaMldVlanRobustness=alaMldVlanRobustness, alaMldFloodUnknown=alaMldFloodUnknown, alaMldHelperAddress=alaMldHelperAddress, alaMldStaticMemberIfIndex=alaMldStaticMemberIfIndex, alaMldSourceType=alaMldSourceType, alaMldVlanQuerierForwarding=alaMldVlanQuerierForwarding, alaMldNeighborGroup=alaMldNeighborGroup, alaMldStaticNeighborGroup=alaMldStaticNeighborGroup, alaMldStaticMemberVlan=alaMldStaticMemberVlan, alaMldVlanMaxGroupExceedAction=alaMldVlanMaxGroupExceedAction, alaMldPortMaxGroupLimit=alaMldPortMaxGroupLimit, alaMldHelperAddressType=alaMldHelperAddressType, alaMldMaxGroupLimit=alaMldMaxGroupLimit, alaMldForwardType=alaMldForwardType) |
class Solution:
def minimumTime(self, s: str) -> int:
n = len(s)
ans = n
left = 0 # min time to remove illegal cars so far
for i, c in enumerate(s):
left = min(left + (ord(c) - ord('0')) * 2, i + 1)
ans = min(ans, left + n - 1 - i)
return ans
| class Solution:
def minimum_time(self, s: str) -> int:
n = len(s)
ans = n
left = 0
for (i, c) in enumerate(s):
left = min(left + (ord(c) - ord('0')) * 2, i + 1)
ans = min(ans, left + n - 1 - i)
return ans |
SCREEN_HEIGHT, SCREEN_WIDTH = 600, 600
# Controls
UP = 0, -1
DOWN = 0, 1
LEFT = -1, 0
RIGHT = 1, 0
# Window grid
GRID_SIZE = 20
GRID_WIDTH = SCREEN_WIDTH / GRID_SIZE
GRID_HEIGHT = SCREEN_HEIGHT / GRID_SIZE
| (screen_height, screen_width) = (600, 600)
up = (0, -1)
down = (0, 1)
left = (-1, 0)
right = (1, 0)
grid_size = 20
grid_width = SCREEN_WIDTH / GRID_SIZE
grid_height = SCREEN_HEIGHT / GRID_SIZE |
st = input("pls enter student details: ")
student_db = {}
while(st != "end"):
ind = st.find(' ')
student_db[st[:ind]] = st[ind + 1:]
st = input("pls enter student details: ")
roll = input("psl enter roll no : ")
while(roll != 'X'):
print(student_db[roll])
roll = input("psl enter roll no : ")
# MEMORY
# st = "end"
# student_db = {'200' : 'nehu', '201' : 'gandalf', '20' : '10gandalf'}
# ind = 2
# roll = "X"
| st = input('pls enter student details: ')
student_db = {}
while st != 'end':
ind = st.find(' ')
student_db[st[:ind]] = st[ind + 1:]
st = input('pls enter student details: ')
roll = input('psl enter roll no : ')
while roll != 'X':
print(student_db[roll])
roll = input('psl enter roll no : ') |
def max_end3(nums):
if nums[0] > nums[-1]:
return nums[0:1]*3
return nums[-1:]*3
| def max_end3(nums):
if nums[0] > nums[-1]:
return nums[0:1] * 3
return nums[-1:] * 3 |
#!/usr/bin/env python3
# -*- coding: utf-8 -*-
name = "rqmts"
__version__ = "1.0.0" | name = 'rqmts'
__version__ = '1.0.0' |
# FIXME: Stub
class PreprocessorInfoChannel(object):
def addLineForTokenNumber(self, line, toknum):
pass
| class Preprocessorinfochannel(object):
def add_line_for_token_number(self, line, toknum):
pass |
assert easy_cxx_is_root
@brutal.rule(caching='memory', traced=1)
def c_compiler():
cc = brutal.env('CC', [])
if cc: return cc
NERSC_HOST = brutal.env('NERSC_HOST', None)
if NERSC_HOST: return ['cc']
return ['gcc']
@brutal.rule(caching='memory', traced=1)
def cxx_compiler():
cxx = brutal.env('CXX', [])
if cxx: return cxx
NERSC_HOST = brutal.env('NERSC_HOST', None)
if NERSC_HOST: return ['CC']
return ['g++']
@brutal.rule(caching='memory')
def cxx14_flags():
cxx = cxx_compiler()
_, pp_defs = compiler_version_and_pp_defines(cxx, 'c++').wait()
std_ver = int(pp_defs['__cplusplus'].rstrip('L'))
if std_ver < 201400:
return ['-std=c++14']
else:
return []
@brutal.rule
def sources_from_includes_enabled(PATH):
return '.brutal/' not in PATH and brutal.os.path_within_any(PATH,
'.',
brutal.here('bench'),
brutal.here('src'),
brutal.here('test'),
)
def base_env():
debug = brutal.env('debug', 0)
optlev = brutal.env('optlev', 0 if debug else 3)
syms = brutal.env('syms', 1 if debug else 0)
opnew = brutal.env('opnew', 'libc' if debug else 'deva', universe=['libc','deva','jemalloc'])
asan = brutal.env('asan', 1 if debug else 0)
dummy = brutal.env('dummy', 0)
return debug, optlev, syms, opnew, asan, dummy
@brutal.rule
def base_cg_flags():
debug, optlev, syms, opnew, asan, dummy = base_env()
asan_flags = ['-fsanitize=address'] if asan else []
cg_misc = brutal.env('CXX_CGFLAGS', [])
return (
(['-flto'] if optlev == 3 else []) +
(['-g'] if syms else []) +
asan_flags
) + cg_misc
def code_context_base():
debug, optlev, syms, opnew, asan, dummy = base_env()
pp_misc = brutal.env('CXX_PPFLAGS', [])
asan_flags = ['-fsanitize=address'] if asan else []
pp_angle_dirs = brutal.env('PP_DIRS', [])
lib_dirs = brutal.env('LIB_DIRS', [])
lib_names = brutal.env('LIB_NAMES', [])
return CodeContext(
compiler = cxx_compiler(),
pp_angle_dirs = [brutal.here('src')] + pp_angle_dirs,
pp_misc = cxx14_flags() + pp_misc,
cg_optlev = optlev,
cg_misc = base_cg_flags() + ['-Wno-unknown-warning-option','-Wno-aligned-new'],
ld_misc = (['-flto'] if optlev == 3 else []) + asan_flags,
lib_dirs = lib_dirs,
lib_names = lib_names,
pp_defines = {
'DEBUG': 1 if debug else 0,
'NDEBUG': None if debug else 1,
'DEVA_OPNEW_'+opnew.upper(): 1,
'DEVA_DUMMY_EXEC': 1 if dummy else 0
}
)
@brutal.rule
def code_context(PATH):
cxt = code_context_base()
def get_world():
return brutal.env('world', universe=('threads','gasnet'))
def get_thread_n():
world = get_world()
if world == 'threads':
return brutal.env('ranks',2)
elif world == 'gasnet':
return brutal.env('workers',2)+1
if PATH == brutal.here('src/devastator/threads.hxx'):
impl = brutal.env('tmsg', universe=('spsc','mpsc'))
talloc = brutal.env('talloc', universe=('opnew-asym','opnew-sym','epoch'))
cxt |= CodeContext(pp_defines={
'DEVA_THREADS_'+impl.upper(): 1,
'DEVA_THREADS_ALLOC_' + talloc.replace('-','_').upper(): 1
})
elif PATH == brutal.here('src/devastator/threads/message_spsc.hxx'):
tsigbits = brutal.env('tsigbits', universe=(0,8,16,32))
if tsigbits == 0:
tsigbits = 64*8/get_thread_n()
tsigbits = (8,16,32)[sum([x < tsigbits for x in (8,16)])]
tprefetch = brutal.env('tprefetch', universe=(0,1,2))
torder = brutal.env('torder', universe=('dfs','bfs'))
cxt |= CodeContext(pp_defines={
'DEVA_THREADS_SPSC_BITS': tsigbits,
'DEVA_THREADS_SPSC_PREFETCH': tprefetch,
'DEVA_THREADS_SPSC_ORDER_'+torder.upper(): 1
})
elif PATH == brutal.here('src/devastator/threads/signal_slots.hxx'):
tsigreap = brutal.env('tsigreap', universe=('memcpy','simd','atom'))
cxt |= CodeContext(pp_defines={
'DEVA_THREADS_SIGNAL_REAP_'+tsigreap.upper(): 1
})
elif PATH == brutal.here('src/devastator/threads/message_mpsc.hxx'):
cxt |= CodeContext(pp_defines={
'DEVA_THREADS_MPSC_RAIL_N': brutal.env('trails', 1)
})
elif PATH == brutal.here('src/devastator/world.hxx'):
world = get_world()
cxt |= CodeContext(pp_defines={'DEVA_WORLD':1})
if world == 'threads':
cxt |= CodeContext(pp_defines={
'DEVA_WORLD_THREADS': 1,
'DEVA_THREAD_N': get_thread_n()
})
elif world == 'gasnet':
cxt |= CodeContext(pp_defines={
'DEVA_WORLD_GASNET': 1,
'DEVA_PROCESS_N': brutal.env('procs',2),
'DEVA_WORKER_N': brutal.env('workers',2),
'DEVA_THREAD_N': get_thread_n()
})
elif PATH == brutal.here('src/devastator/diagnostic.cxx'):
version = brutal.git_describe(brutal.here())
cxt |= CodeContext(pp_defines={'DEVA_GIT_VERSION': '"'+version+'"'})
return cxt
| assert easy_cxx_is_root
@brutal.rule(caching='memory', traced=1)
def c_compiler():
cc = brutal.env('CC', [])
if cc:
return cc
nersc_host = brutal.env('NERSC_HOST', None)
if NERSC_HOST:
return ['cc']
return ['gcc']
@brutal.rule(caching='memory', traced=1)
def cxx_compiler():
cxx = brutal.env('CXX', [])
if cxx:
return cxx
nersc_host = brutal.env('NERSC_HOST', None)
if NERSC_HOST:
return ['CC']
return ['g++']
@brutal.rule(caching='memory')
def cxx14_flags():
cxx = cxx_compiler()
(_, pp_defs) = compiler_version_and_pp_defines(cxx, 'c++').wait()
std_ver = int(pp_defs['__cplusplus'].rstrip('L'))
if std_ver < 201400:
return ['-std=c++14']
else:
return []
@brutal.rule
def sources_from_includes_enabled(PATH):
return '.brutal/' not in PATH and brutal.os.path_within_any(PATH, '.', brutal.here('bench'), brutal.here('src'), brutal.here('test'))
def base_env():
debug = brutal.env('debug', 0)
optlev = brutal.env('optlev', 0 if debug else 3)
syms = brutal.env('syms', 1 if debug else 0)
opnew = brutal.env('opnew', 'libc' if debug else 'deva', universe=['libc', 'deva', 'jemalloc'])
asan = brutal.env('asan', 1 if debug else 0)
dummy = brutal.env('dummy', 0)
return (debug, optlev, syms, opnew, asan, dummy)
@brutal.rule
def base_cg_flags():
(debug, optlev, syms, opnew, asan, dummy) = base_env()
asan_flags = ['-fsanitize=address'] if asan else []
cg_misc = brutal.env('CXX_CGFLAGS', [])
return (['-flto'] if optlev == 3 else []) + (['-g'] if syms else []) + asan_flags + cg_misc
def code_context_base():
(debug, optlev, syms, opnew, asan, dummy) = base_env()
pp_misc = brutal.env('CXX_PPFLAGS', [])
asan_flags = ['-fsanitize=address'] if asan else []
pp_angle_dirs = brutal.env('PP_DIRS', [])
lib_dirs = brutal.env('LIB_DIRS', [])
lib_names = brutal.env('LIB_NAMES', [])
return code_context(compiler=cxx_compiler(), pp_angle_dirs=[brutal.here('src')] + pp_angle_dirs, pp_misc=cxx14_flags() + pp_misc, cg_optlev=optlev, cg_misc=base_cg_flags() + ['-Wno-unknown-warning-option', '-Wno-aligned-new'], ld_misc=(['-flto'] if optlev == 3 else []) + asan_flags, lib_dirs=lib_dirs, lib_names=lib_names, pp_defines={'DEBUG': 1 if debug else 0, 'NDEBUG': None if debug else 1, 'DEVA_OPNEW_' + opnew.upper(): 1, 'DEVA_DUMMY_EXEC': 1 if dummy else 0})
@brutal.rule
def code_context(PATH):
cxt = code_context_base()
def get_world():
return brutal.env('world', universe=('threads', 'gasnet'))
def get_thread_n():
world = get_world()
if world == 'threads':
return brutal.env('ranks', 2)
elif world == 'gasnet':
return brutal.env('workers', 2) + 1
if PATH == brutal.here('src/devastator/threads.hxx'):
impl = brutal.env('tmsg', universe=('spsc', 'mpsc'))
talloc = brutal.env('talloc', universe=('opnew-asym', 'opnew-sym', 'epoch'))
cxt |= code_context(pp_defines={'DEVA_THREADS_' + impl.upper(): 1, 'DEVA_THREADS_ALLOC_' + talloc.replace('-', '_').upper(): 1})
elif PATH == brutal.here('src/devastator/threads/message_spsc.hxx'):
tsigbits = brutal.env('tsigbits', universe=(0, 8, 16, 32))
if tsigbits == 0:
tsigbits = 64 * 8 / get_thread_n()
tsigbits = (8, 16, 32)[sum([x < tsigbits for x in (8, 16)])]
tprefetch = brutal.env('tprefetch', universe=(0, 1, 2))
torder = brutal.env('torder', universe=('dfs', 'bfs'))
cxt |= code_context(pp_defines={'DEVA_THREADS_SPSC_BITS': tsigbits, 'DEVA_THREADS_SPSC_PREFETCH': tprefetch, 'DEVA_THREADS_SPSC_ORDER_' + torder.upper(): 1})
elif PATH == brutal.here('src/devastator/threads/signal_slots.hxx'):
tsigreap = brutal.env('tsigreap', universe=('memcpy', 'simd', 'atom'))
cxt |= code_context(pp_defines={'DEVA_THREADS_SIGNAL_REAP_' + tsigreap.upper(): 1})
elif PATH == brutal.here('src/devastator/threads/message_mpsc.hxx'):
cxt |= code_context(pp_defines={'DEVA_THREADS_MPSC_RAIL_N': brutal.env('trails', 1)})
elif PATH == brutal.here('src/devastator/world.hxx'):
world = get_world()
cxt |= code_context(pp_defines={'DEVA_WORLD': 1})
if world == 'threads':
cxt |= code_context(pp_defines={'DEVA_WORLD_THREADS': 1, 'DEVA_THREAD_N': get_thread_n()})
elif world == 'gasnet':
cxt |= code_context(pp_defines={'DEVA_WORLD_GASNET': 1, 'DEVA_PROCESS_N': brutal.env('procs', 2), 'DEVA_WORKER_N': brutal.env('workers', 2), 'DEVA_THREAD_N': get_thread_n()})
elif PATH == brutal.here('src/devastator/diagnostic.cxx'):
version = brutal.git_describe(brutal.here())
cxt |= code_context(pp_defines={'DEVA_GIT_VERSION': '"' + version + '"'})
return cxt |
def word_flipper(str):
if len(str) == 0:
return str
#split strings into words, as words are separated by spaces so
words = str.split(" ")
new_str = ""
for i in range(len(words)):
words[i] = words[i][::-1]
return " ".join(words)
# Test Cases
print ("Pass" if ('retaw' == word_flipper('water')) else "Fail")
print ("Pass" if ('sihT si na elpmaxe' == word_flipper('This is an example')) else "Fail")
print ("Pass" if ('sihT si eno llams pets rof ...' == word_flipper('This is one small step for ...')) else "Fail")
| def word_flipper(str):
if len(str) == 0:
return str
words = str.split(' ')
new_str = ''
for i in range(len(words)):
words[i] = words[i][::-1]
return ' '.join(words)
print('Pass' if 'retaw' == word_flipper('water') else 'Fail')
print('Pass' if 'sihT si na elpmaxe' == word_flipper('This is an example') else 'Fail')
print('Pass' if 'sihT si eno llams pets rof ...' == word_flipper('This is one small step for ...') else 'Fail') |
def merge_sort(arr):
if len(arr) <= 1:
return
mid = len(arr)//2
left = arr[:mid]
right = arr[mid:]
merge_sort(left)
merge_sort(right)
merge_lists(left, right, arr)
def merge_lists(a,b,arr):
len_a = len(a)
len_b = len(b)
i = j = k = 0
while i < len_a and j < len_b:
if a[i] <= b[j]:
arr[k] = a[i]
i+=1
else:
arr[k] = b[j]
j+=1
k+=1
while i < len_a:
arr[k] = a[i]
i+=1
k+=1
while j < len_b:
arr[k] = b[j]
j+=1
k+=1
if __name__ == '__main__':
test_cases = [
[10, 3, 15, 7, 8, 23, 98, 29],
[],
[3],
[9,8,7,2],
[1,2,3,4,5]
]
for arr in test_cases:
merge_sort(arr)
print(arr) | def merge_sort(arr):
if len(arr) <= 1:
return
mid = len(arr) // 2
left = arr[:mid]
right = arr[mid:]
merge_sort(left)
merge_sort(right)
merge_lists(left, right, arr)
def merge_lists(a, b, arr):
len_a = len(a)
len_b = len(b)
i = j = k = 0
while i < len_a and j < len_b:
if a[i] <= b[j]:
arr[k] = a[i]
i += 1
else:
arr[k] = b[j]
j += 1
k += 1
while i < len_a:
arr[k] = a[i]
i += 1
k += 1
while j < len_b:
arr[k] = b[j]
j += 1
k += 1
if __name__ == '__main__':
test_cases = [[10, 3, 15, 7, 8, 23, 98, 29], [], [3], [9, 8, 7, 2], [1, 2, 3, 4, 5]]
for arr in test_cases:
merge_sort(arr)
print(arr) |
# FLOW011
for i in range(int(input())):
salary=int(input())
if salary<1500: print(2*salary)
else: print(1.98*salary + 500) | for i in range(int(input())):
salary = int(input())
if salary < 1500:
print(2 * salary)
else:
print(1.98 * salary + 500) |
#encoding:utf-8
subreddit = 'bikinimoe'
t_channel = '@BikiniMoe'
def send_post(submission, r2t):
return r2t.send_simple(submission)
| subreddit = 'bikinimoe'
t_channel = '@BikiniMoe'
def send_post(submission, r2t):
return r2t.send_simple(submission) |
simType='sim_file'
symProps = [
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.703780466095', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.66875', 1, 'Y', 0.66874999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.790476190476', 1, 'XVel', 0.79047619047619044, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.66875', 1, 'YVel', 0.66874999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.45709788914', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.485714285714', 1, 'X', 0.48571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.125', 1, 'Y', 0.125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.485714285714', 1, 'XVel', 0.48571428571428571, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.125', 1, 'YVel', 0.125, 'value']]}], 'name': 'state_0.312755165415', 'analog': 0},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.682315198268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.13749999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.117847058516', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.51904761904761909, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333381, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043750000000000011, 'value']]}], 'name': 'state_0.805988837425', 'analog': 1},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.450991429235', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.52500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.228629503255', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.54761904761904767, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.931435114204', 'analog': 2},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.813031525206', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.52500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.347015379734', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043750000000000011, 'value']]}], 'name': 'state_0.0998246763924', 'analog': 3},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.321824707421', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3875', 1, 'Y', 0.38750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.13750000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.68575015763', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.619047619048', 1, 'X', 0.61904761904761907, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.29999999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.049999999999999989, 'value']]}], 'name': 'state_0.913981746386', 'analog': 4},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.933134657413', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31874999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.068750000000000033, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0328524097159', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.647619047619', 1, 'X', 0.64761904761904765, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.33750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000033, 'value']]}], 'name': 'state_0.569462804023', 'analog': 5},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0833369601241', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.13749999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.76060529193', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.68095238095238098, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.25877150862', 'analog': 6},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.334827391427', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.074999999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.140585390861', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.70476190476190481, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4125', 1, 'Y', 0.41249999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.499237953355', 'analog': 7},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.716953916028', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999917, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846007203824', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.72857142857142854, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44374999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.610563344638', 'analog': 8},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.572251691779', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.416336715325', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.766666666667', 1, 'X', 0.76666666666666672, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238182, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.269390562985', 'analog': 9},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.991853825664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.50292118116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.79523809523809519, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.422879977216', 'analog': 10},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0617213932038', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.17499999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.075', 1, 'YVel', 0.074999999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.343393808819', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0872759768396', 'analog': 11},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.83792737958', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062500000000000056, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.725603079094', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.380433043334', 'analog': 12},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.716380001772', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.081249999999999989, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.378670801612', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.65612181125', 'analog': 13},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.902586206642', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0796590825069', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.101148492471', 'analog': 14},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.33774197818', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.854875428441', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.973065579554', 'analog': 15},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.783696332506', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.468466883273', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.50476190476190474, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.290476190476', 1, 'XVel', -0.29047619047619044, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.081249999999999989, 'value']]}], 'name': 'state_0.713874946261', 'analog': 16},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.790168048441', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.853264401851', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.53333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4125', 1, 'Y', 0.41249999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000033, 'value']]}], 'name': 'state_0.0102421174153', 'analog': 17},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.538531396015', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.814216360946', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.55238095238095242, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3875', 1, 'Y', 0.38750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.024999999999999967, 'value']]}], 'name': 'state_0.938816835237', 'analog': 18},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.963285201231', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.21875', 1, 'Y', 0.21875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012500000000000011, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.163515554686', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.34999999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000033, 'value']]}], 'name': 'state_0.551584889122', 'analog': 19},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.734283416162', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.275', 1, 'Y', 0.27500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.349168588175', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.59999999999999998, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.32500000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.024999999999999967, 'value']]}], 'name': 'state_0.609972294527', 'analog': 20},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.982170541635', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.225', 1, 'Y', 0.22500000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000017, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.611118863365', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.62857142857142856, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000033, 'value']]}], 'name': 'state_0.953636800645', 'analog': 21},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.474749941466', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.125', 1, 'YVel', -0.125, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.525348309716', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.65714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.912493262316', 'analog': 22},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.317092435523', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.533016197981', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.68571428571428572, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2125', 1, 'Y', 0.21249999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}], 'name': 'state_0.920340052655', 'analog': 23},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0242969415528', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.075626924385', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.714285714286', 1, 'X', 0.7142857142857143, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.17499999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}], 'name': 'state_0.768797606073', 'analog': 24},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.873552177434', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.424488059332', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.747619047619', 1, 'X', 0.74761904761904763, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.13125', 1, 'Y', 0.13125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999983, 'value']]}], 'name': 'state_0.760892693994', 'analog': 25},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.03338342713', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.484337643913', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.771428571429', 1, 'X', 0.77142857142857146, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.08125', 1, 'Y', 0.081250000000000003, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000003, 'value']]}], 'name': 'state_0.171331885574', 'analog': 26},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.275231897672', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.919107711826', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.738095238095', 1, 'X', 0.73809523809523814, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.075', 1, 'Y', 0.074999999999999997, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062500000000000056, 'value']]}], 'name': 'state_0.33801131865', 'analog': 27},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.540614796748', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.25160840835', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.719047619048', 1, 'X', 0.71904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.0572920418002', 'analog': 28},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.868507822939', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.560986313113', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.7', 1, 'X', 0.69999999999999996, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.15', 1, 'Y', 0.14999999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999992, 'value']]}], 'name': 'state_0.761068154432', 'analog': 29},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.368599304491', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.176431209773', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.671428571429', 1, 'X', 0.67142857142857137, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999994, 'value']]}], 'name': 'state_0.333315635151', 'analog': 30},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.630239200564', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.645944556734', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.642857142857', 1, 'X', 0.6428571428571429, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.799774305242', 'analog': 31},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.491584739446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.227734496155', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.62380952381', 1, 'X', 0.62380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.29999999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.228666140286', 'analog': 32},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.597505719606', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.804218403641', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.60476190476190472, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.33750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000033, 'value']]}], 'name': 'state_0.581275064199', 'analog': 33},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.183417259221', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.178312104711', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.472107773565', 'analog': 34},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.397995159042', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.361329664307', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.55238095238095242, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.505172213515', 'analog': 35},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.632496148437', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062499999999999917, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.738802402424', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.53333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.475', 1, 'Y', 0.47499999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.784867701877', 'analog': 36},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.804113492347', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999917, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.984545732596', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.50476190476190474, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.362998357521', 'analog': 37},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.606671123744', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.486055333058', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.47142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6', 1, 'Y', 0.59999999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068749999999999978, 'value']]}], 'name': 'state_0.16250011178', 'analog': 38},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.905756069633', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.189772773103', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65625', 1, 'Y', 0.65625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.615713856582', 'analog': 39},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.721237466457', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0213583275532', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.414285714286', 1, 'X', 0.41428571428571431, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7125', 1, 'Y', 0.71250000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428525, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.692960176737', 'analog': 40},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.737515008948', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.672032157379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.380952380952', 1, 'X', 0.38095238095238093, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.77500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333381, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.8108132534', 'analog': 41},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.913791648627', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0193499238152', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.347619047619', 1, 'X', 0.34761904761904761, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068749999999999978, 'value']]}], 'name': 'state_0.100816271515', 'analog': 42},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.812988856656', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.346581375008', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.342857142857', 1, 'X', 0.34285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8875', 1, 'Y', 0.88749999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0047619047619', 1, 'XVel', -0.004761904761904745, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.954217578532', 'analog': 43},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.826454543756', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845222168937', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.366666666667', 1, 'X', 0.36666666666666664, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.93437499999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.046875', 1, 'YVel', 0.046875, 'value']]}], 'name': 'state_0.579817956582', 'analog': 44},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.877898552606', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.529957502421', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.395238095238', 1, 'X', 0.39523809523809522, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91874999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.015625', 1, 'YVel', -0.015625, 'value']]}], 'name': 'state_0.0348425828186', 'analog': 45},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.817971084179', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.449397278446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999933, 'value']]}], 'name': 'state_0.295945618667', 'analog': 46},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.284543029581', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.923867016168', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.447619047619', 1, 'X', 0.44761904761904764, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8125', 1, 'Y', 0.8125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.39894522894', 'analog': 47},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.952118276063', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.13750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.561114926911', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.466666666667', 1, 'X', 0.46666666666666667, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.77500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619035, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.767983082208', 'analog': 48},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.290323040219', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.946119337754', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.490476190476', 1, 'X', 0.49047619047619045, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.73125', 1, 'Y', 0.73124999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043750000000000067, 'value']]}], 'name': 'state_0.493212973834', 'analog': 49},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.759131260391', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.792676377629', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.51904761904761909, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.675', 1, 'Y', 0.67500000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428636, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056249999999999911, 'value']]}], 'name': 'state_0.0139589361687', 'analog': 50},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0537149525687', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.779638492567', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.54761904761904767, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.0119253863359', 'analog': 51},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.3239212741', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.256857010813', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.571428571429', 1, 'X', 0.5714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.56875', 1, 'Y', 0.56874999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.437053040484', 'analog': 52},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0646167346215', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.954790340331', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.59999999999999998, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.51249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.398772192179', 'analog': 53},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0805903486829', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.528607760977', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.062499999999999944, 'value']]}], 'name': 'state_0.467483336605', 'analog': 54},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.686241613593', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.768279937749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.671428571429', 1, 'X', 0.67142857142857137, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.375', 1, 'Y', 0.375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.075000000000000011, 'value']]}], 'name': 'state_0.856054583025', 'analog': 55},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.704897204143', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.113936754944', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.695238095238', 1, 'X', 0.69523809523809521, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.32500000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999989, 'value']]}], 'name': 'state_0.983773206117', 'analog': 56},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.15869858973', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062499999999999917, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.460413599888', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.72380952380952379, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.26875', 1, 'Y', 0.26874999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.811350948953', 'analog': 57},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.660071619196', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.839410880052', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.75714285714285712, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.0625, 'value']]}], 'name': 'state_0.669521820011', 'analog': 58},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.681016176084', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.788095238095', 1, 'X', 0.78809523809523807, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.103125', 1, 'Y', 0.10312499999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.00238095238095', 1, 'XVel', -0.0023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.0031250000000000028, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.14897496169', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.192609099077', 'analog': 59},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.788231369123', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.00238095238095', 1, 'XVel', 0.0023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.0031249999999999889, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.888492279614', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.76190476190476186, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.19375', 1, 'Y', 0.19375000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0047619047619', 1, 'XVel', 0.004761904761904745, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0125', 1, 'YVel', -0.012499999999999983, 'value']]}], 'name': 'state_0.0626652148594', 'analog': 60},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.76365710391', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.13750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.683642979093', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.742857142857', 1, 'X', 0.74285714285714288, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.673631948714', 'analog': 61},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.359411421967', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.288409899193', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.714285714286', 1, 'X', 0.7142857142857143, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999967, 'value']]}], 'name': 'state_0.41351555333', 'analog': 62},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.512485635107', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.13750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.487260404408', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.690476190476', 1, 'X', 0.69047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.33750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.97886621726', 'analog': 63},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.354476859837', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.960258570896', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.65714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.40000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.0265754048498', 'analog': 64},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0388334417733', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0953229315684', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.62857142857142856, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999967, 'value']]}], 'name': 'state_0.247535389877', 'analog': 65},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.875332491872', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.643476592671', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.60476190476190472, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.049999999999999989, 'value']]}], 'name': 'state_0.128965915191', 'analog': 66},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.010247806794', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.193758390556', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.57619047619', 1, 'X', 0.57619047619047614, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.237242487153', 'analog': 67},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.962924840148', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.00840000464232', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.54761904761904767, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056250000000000022, 'value']]}], 'name': 'state_0.43561225895', 'analog': 68},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0624579093116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.842979819701', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.528571428571', 1, 'X', 0.52857142857142858, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65625', 1, 'Y', 0.65625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.205332705272', 'analog': 69},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.733760572633', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.137139880546', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.509810042464', 'analog': 70},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.680674793165', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.594470477034', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.47142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.76875', 1, 'Y', 0.76875000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.362069938732', 'analog': 71},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.692430307999', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.275', 1, 'Y', 0.27500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.09375', 1, 'YVel', 0.093750000000000028, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.646855309277', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.825', 1, 'Y', 0.82499999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999911, 'value']]}], 'name': 'state_0.960600976706', 'analog': 72},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.450366371735', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.847158240153', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043750000000000067, 'value']]}], 'name': 'state_0.412489728668', 'analog': 73},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.585448608601', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.157143337496', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.385714285714', 1, 'X', 0.38571428571428573, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.93437499999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.065625', 1, 'YVel', 0.065624999999999933, 'value']]}], 'name': 'state_0.65898299143', 'analog': 74},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.529615506662', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0563903199434', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.357142857143', 1, 'X', 0.35714285714285715, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91874999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.015625', 1, 'YVel', -0.015625, 'value']]}], 'name': 'state_0.0817423865584', 'analog': 75},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.753248263844', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.01875', 1, 'YVel', -0.018749999999999989, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.572445163785', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.338095238095', 1, 'X', 0.33809523809523812, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.88125', 1, 'Y', 0.88124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619035, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.157688560299', 'analog': 76},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.879717647757', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.775811149392', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.338095238095', 1, 'X', 0.33809523809523812, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.825', 1, 'Y', 0.82499999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.813939842996', 'analog': 77},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.633399481022', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.549978910938', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.361904761905', 1, 'X', 0.3619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.77500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999933, 'value']]}], 'name': 'state_0.577260049692', 'analog': 78},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.762229571114', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31874999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999967, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.861705860538', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.390476190476', 1, 'X', 0.39047619047619048, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.0936719495939', 'analog': 79},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.178669501075', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13750000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.224491294964', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6625', 1, 'Y', 0.66249999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.00393922705088', 'analog': 80},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.054255848302', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.40625', 1, 'Y', 0.40625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999989, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0267647853842', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.184193648621', 'analog': 81},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.550468731558', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.40000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.759411010307', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.47142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.0389987684047', 'analog': 82},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.515186660774', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.40000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.169593089389', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.51249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.788574182089', 'analog': 83},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556276313556', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.40000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.261919396027', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.52380952381', 1, 'X', 0.52380952380952384, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45624999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056249999999999967, 'value']]}], 'name': 'state_0.349193574488', 'analog': 84},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.971747473445', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.36249999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000033, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.331892259557', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.561904761905', 1, 'X', 0.56190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.075000000000000011, 'value']]}], 'name': 'state_0.805562366973', 'analog': 85},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.491117058481', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.36249999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.280802793121', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.585714285714', 1, 'X', 0.58571428571428574, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.33750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.548298425925', 'analog': 86},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.743208371766', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.36249999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.143607095815', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.60476190476190472, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.29999999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000033, 'value']]}], 'name': 'state_0.472013422447', 'analog': 87},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.500178793134', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.13125', 1, 'YVel', -0.13124999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.540035769674', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.638095238095', 1, 'X', 0.63809523809523805, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.068749999999999978, 'value']]}], 'name': 'state_0.80898545332', 'analog': 88},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.800916789877', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25625', 1, 'Y', 0.25624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.024999999999999967, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.902336651824', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.666666666667', 1, 'X', 0.66666666666666663, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.17499999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}], 'name': 'state_0.417662815535', 'analog': 89},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.619374003951', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2', 1, 'Y', 0.20000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056249999999999967, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.505711841964', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.68571428571428572, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.13750000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.387426436103', 'analog': 90},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.356586621664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.10000000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.175120063636', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.72380952380952379, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0625', 1, 'Y', 0.0625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.075000000000000011, 'value']]}], 'name': 'state_0.328326861292', 'analog': 91},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.523242176021', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.371229182181', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.752380952381', 1, 'X', 0.75238095238095237, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.08125', 1, 'Y', 0.081250000000000003, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.01875', 1, 'YVel', 0.018750000000000003, 'value']]}], 'name': 'state_0.643556114525', 'analog': 92},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0176707835681', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13750000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.210194862002', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.15625', 1, 'Y', 0.15625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.075', 1, 'YVel', 0.074999999999999997, 'value']]}], 'name': 'state_0.758528546855', 'analog': 93},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.580355707312', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1875', 1, 'Y', 0.1875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.09375', 1, 'YVel', -0.09375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0471022267876', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.778457941077', 'analog': 94},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.397899229791', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1875', 1, 'Y', 0.1875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0527680699203', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.703526704411', 'analog': 95},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.214998478607', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.099999999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.386914478379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.720081566461', 'analog': 96},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.870815932243', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.526952320442', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.994457894167', 'analog': 97},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.405123158541', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.131196919272', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.47142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.319047619048', 1, 'XVel', -0.31904761904761902, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.35', 1, 'YVel', 0.34999999999999998, 'value']]}], 'name': 'state_0.276582308152', 'analog': 98},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.829404653913', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.282545093465', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5375', 1, 'Y', 0.53749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.257708201946', 'analog': 99},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.754816340439', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.588325289708', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.52380952381', 1, 'X', 0.52380952380952384, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.575', 1, 'Y', 0.57499999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.0204388689859', 'analog': 100},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.440779284591', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.34999999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.906037521045', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.55238095238095242, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6125', 1, 'Y', 0.61250000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000089, 'value']]}], 'name': 'state_0.0463552848108', 'analog': 101},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.679921882992', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062500000000000333, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.98309191313', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65', 1, 'Y', 0.65000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.504762557984', 'analog': 102},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.175080561684', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.378562879721', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.60476190476190472, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.68125', 1, 'Y', 0.68125000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.998427068703', 'analog': 103},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.982725012655', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.395467757885', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.503282757323', 'analog': 104},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.886342972614', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13750000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.172033296257', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.661904761905', 1, 'X', 0.66190476190476188, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.75625', 1, 'Y', 0.75624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.217514816877', 'analog': 105},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.959701354233', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.162897833367', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.68571428571428572, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7875', 1, 'Y', 0.78749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.652440833011', 'analog': 106},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.361846783261', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.074999999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.970254879799', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.70476190476190481, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8125', 1, 'Y', 0.8125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.41093827345', 'analog': 107},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.624242741604', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.33125', 1, 'Y', 0.33124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.870711999595', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.72857142857142854, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.743418682364', 'analog': 108},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0553371351812', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.32500000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.396124252253', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.76190476190476186, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8875', 1, 'Y', 0.88749999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.344645742977', 'analog': 109},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.84072578135', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.26875', 1, 'Y', 0.26874999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.623215103264', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.785714285714', 1, 'X', 0.7857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91874999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.932150863058', 'analog': 110},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.00779342499033', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.95308010983', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.844152322427', 'analog': 111},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.499801613793', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0103914995277', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.573628157316', 'analog': 112},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.304012567325', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.884504002358', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.771169700587', 'analog': 113},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.384570514251', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.309084576197', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.401834776798', 'analog': 114},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.384397846465', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.297517658916', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0343231473812', 'analog': 115},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.544209900268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.15', 1, 'YVel', -0.15000000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.371068323877', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.47142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.89375', 1, 'Y', 0.89375000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.314285714286', 1, 'XVel', -0.31428571428571428, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.024999999999999911, 'value']]}], 'name': 'state_0.422711526547', 'analog': 116},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.7856335087', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.791391251586', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8625', 1, 'Y', 0.86250000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.351890962826', 'analog': 117},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.304199358041', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0125', 1, 'YVel', -0.012499999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.439028468244', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.514285714286', 1, 'X', 0.51428571428571423, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8375', 1, 'Y', 0.83750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.34583119359', 'analog': 118},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.300827632749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.528014765787', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.538095238095', 1, 'X', 0.53809523809523807, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.80625', 1, 'Y', 0.80625000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.0808349469935', 'analog': 119},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.788054070664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.375774060443', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.561904761905', 1, 'X', 0.56190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.77500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.38208945241', 'analog': 120},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0265342713918', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.55884617452', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.75', 1, 'Y', 0.75, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.398614852402', 'analog': 121},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.822949332779', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845108264899', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.59999999999999998, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.725', 1, 'Y', 0.72499999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.316922161988', 'analog': 122},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.766365926414', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.993132425886', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.62857142857142856, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6875', 1, 'Y', 0.6875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.237521664845', 'analog': 123},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.841959620113', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.735399522449', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.65714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65', 1, 'Y', 0.65000000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.414843474285', 'analog': 124},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.274078167422', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0615970645758', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.68571428571428572, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6125', 1, 'Y', 0.61250000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.0192451460662', 'analog': 125},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.44863518911', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.905087193236', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.70476190476190481, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5875', 1, 'Y', 0.58750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.0332072357398', 'analog': 126},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.756461046194', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.592189078037', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.72380952380952379, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.286004065537', 'analog': 127},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.483317964627', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.104834807478', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.75714285714285712, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.51875', 1, 'Y', 0.51875000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.151444238815', 'analog': 128},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.73044715749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.204946107229', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.79523809523809519, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.46875', 1, 'Y', 0.46875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.47920059722', 'analog': 129},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.49182533946', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.148014284112', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.59040349011', 'analog': 130},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.980667097156', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.255525137116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.391105243914', 'analog': 131},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.905193529305', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.10000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.702222061678', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.448226387607', 'analog': 132},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.360414328895', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.068750000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.529527843106', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0378661213879', 'analog': 133},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556879060129', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.114681790847', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.485714285714', 1, 'X', 0.48571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.125', 1, 'Y', 0.125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.309523809524', 1, 'XVel', -0.30952380952380948, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.34375', 1, 'YVel', -0.34375, 'value']]}], 'name': 'state_0.960370764506', 'analog': 134},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.749822947083', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18124999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.753589662947', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.51904761904761909, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333381, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043750000000000011, 'value']]}], 'name': 'state_0.294006836949', 'analog': 135},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.570467683195', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3125', 1, 'Y', 0.3125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.13125', 1, 'YVel', 0.13125000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.628765225239', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.55238095238095242, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2125', 1, 'Y', 0.21249999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999983, 'value']]}], 'name': 'state_0.0452042713447', 'analog': 136},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.180966603057', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31874999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.592888785707', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.455666535977', 'analog': 137},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.505981970646', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.41875', 1, 'Y', 0.41875000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.567393080431', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.60476190476190472, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.575980184034', 'analog': 138},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0138414765004', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012500000000000011, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.322337534348', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.62380952381', 1, 'X', 0.62380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.30625', 1, 'Y', 0.30625000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.241551731829', 'analog': 139},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.48355170492', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0780494646063', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.652380952381', 1, 'X', 0.65238095238095239, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.34375', 1, 'Y', 0.34375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.875522224706', 'analog': 140},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.526938584379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2375', 1, 'Y', 0.23749999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.19375', 1, 'YVel', -0.19375000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.719330180012', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.690476190476', 1, 'X', 0.69047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.39375', 1, 'Y', 0.39374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.049999999999999989, 'value']]}], 'name': 'state_0.536747011919', 'analog': 141},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.766852119017', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.11875', 1, 'YVel', 0.11875000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.494330386822', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.72857142857142854, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44374999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.049999999999999989, 'value']]}], 'name': 'state_0.24163681566', 'analog': 142},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.154466207516', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13750000000000001, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.336598300896', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.75714285714285712, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.48125', 1, 'Y', 0.48125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000033, 'value']]}], 'name': 'state_0.217082400094', 'analog': 143},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.20296849745', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.631479742663', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.766666666667', 1, 'X', 0.76666666666666672, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.51249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.00952380952381', 1, 'XVel', 0.009523809523809601, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.031249999999999944, 'value']]}], 'name': 'state_0.238528007383', 'analog': 144},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.298437381298', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50624999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.642742536189', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.719047619048', 1, 'X', 0.71904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.55625', 1, 'Y', 0.55625000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.047619047619', 1, 'XVel', -0.047619047619047672, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043750000000000067, 'value']]}], 'name': 'state_0.112913235069', 'analog': 145},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.191036331654', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44374999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846937168045', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.68095238095238098, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5875', 1, 'Y', 0.58750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0380952380952', 1, 'XVel', -0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.44289074693', 'analog': 146},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.476288013164', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062499999999999778, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846436681495', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.63125', 1, 'Y', 0.63124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.047619047619', 1, 'XVel', -0.047619047619047672, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.975361229488', 'analog': 147},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.936905486268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.11918399473', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.590476190476', 1, 'X', 0.59047619047619049, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.66875', 1, 'Y', 0.66874999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.425702534224', 'analog': 148},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.223008408295', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.28749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.15', 1, 'YVel', -0.15000000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.964029981393', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.54761904761904767, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.70625', 1, 'Y', 0.70625000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000089, 'value']]}], 'name': 'state_0.541248161727', 'analog': 149},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.385122784459', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.225', 1, 'Y', 0.22500000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.062499999999999972, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.00860169275721', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.50476190476190474, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.74375', 1, 'Y', 0.74375000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.042857142857142927, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037499999999999978, 'value']]}], 'name': 'state_0.189685148885', 'analog': 150},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.100953995679', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3125', 1, 'Y', 0.3125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0875', 1, 'YVel', 0.087499999999999994, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.337649765177', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.452380952381', 1, 'X', 0.45238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7875', 1, 'Y', 0.78749999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.052380952381', 1, 'XVel', -0.052380952380952361, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.434922667259', 'analog': 151},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.975495851644', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5', 1, 'Y', 0.5, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1875', 1, 'YVel', 0.1875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845576472998', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.395238095238', 1, 'X', 0.39523809523809522, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8375', 1, 'Y', 0.83750000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0571428571429', 1, 'XVel', -0.057142857142857162, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.605908127046', 'analog': 152},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.96175939123', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45000000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999989, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.206498860406', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.361904761905', 1, 'X', 0.3619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.327420749288', 'analog': 153},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.927697034435', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.51249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.062499999999999944, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.771887539864', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.333333333333', 1, 'X', 0.33333333333333331, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.89375', 1, 'Y', 0.89375000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428581, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.872373686593', 'analog': 154},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.296364428784', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.475', 1, 'Y', 0.47499999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.739193870454', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.352380952381', 1, 'X', 0.35238095238095241, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.93437499999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619091, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.040625', 1, 'YVel', 0.040624999999999911, 'value']]}], 'name': 'state_0.432034209712', 'analog': 155},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.125487390547', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.375', 1, 'Y', 0.375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.099999999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.730489807108', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.390476190476', 1, 'X', 0.39047619047619048, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.93125', 1, 'Y', 0.93125000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.0031249999999999334, 'value']]}], 'name': 'state_0.0752575940004', 'analog': 156},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.179833560432', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.26250000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1125', 1, 'YVel', -0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.948821167289', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.447619047619', 1, 'X', 0.44761904761904764, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.88125', 1, 'Y', 0.88124999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0571428571429', 1, 'XVel', 0.057142857142857162, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.114218804289', 'analog': 157},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.348064147283', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.34999999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0875', 1, 'YVel', 0.087499999999999967, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.85727472095', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.490476190476', 1, 'X', 0.49047619047619045, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.0737087684927', 'analog': 158},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.993168917616', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062500000000000333, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.415764866586', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.53333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.80625', 1, 'Y', 0.80625000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142871, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.0609751744856', 'analog': 159},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556358407856', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.46875', 1, 'Y', 0.46875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1125', 1, 'YVel', 0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.398180267935', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7625', 1, 'Y', 0.76249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.047619047619', 1, 'XVel', 0.047619047619047672, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043750000000000067, 'value']]}], 'name': 'state_0.326417215647', 'analog': 160},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.160703232966', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.60625', 1, 'Y', 0.60624999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13749999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.79458851704', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.638095238095', 1, 'X', 0.63809523809523805, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7125', 1, 'Y', 0.71250000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0571428571429', 1, 'XVel', 0.057142857142857051, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.049999999999999933, 'value']]}], 'name': 'state_0.446335844076', 'analog': 161},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.697623040188', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.52500000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.081249999999999933, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.730892233126', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.68095238095238098, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.675', 1, 'Y', 0.67500000000000004, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142927, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037499999999999978, 'value']]}], 'name': 'state_0.716861546862', 'analog': 162},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.48446207164', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.56875', 1, 'Y', 0.56874999999999998, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.802554071866', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.72380952380952379, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6375', 1, 'Y', 0.63749999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000089, 'value']]}], 'name': 'state_0.293731079845', 'analog': 163},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.460217069352', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.51249999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.056250000000000022, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.576643233446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.76190476190476186, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.60625', 1, 'Y', 0.60624999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.038095238095238071, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.898883940234', 'analog': 164},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.306514916147', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.39375', 1, 'Y', 0.39374999999999999, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.11875', 1, 'YVel', -0.11874999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.891366003233', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.79523809523809519, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.575', 1, 'Y', 0.57499999999999996, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.4979098627', 'analog': 165},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.00947859224353', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375000000000002, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.134895468261', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.419010684589', 'analog': 166},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.396865903698', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.59375', 1, 'Y', 0.59375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.099999999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.749550304059', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.545606450378', 'analog': 167},
{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.469213682387', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.79047619047619044, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.48125', 1, 'Y', 0.48125000000000001, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1125', 1, 'YVel', -0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.912963560057', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.578067692552', 'analog': 168},
] | sim_type = 'sim_file'
sym_props = [{'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.703780466095', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.66875', 1, 'Y', 0.66875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.790476190476', 1, 'XVel', 0.7904761904761904, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.66875', 1, 'YVel', 0.66875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.45709788914', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.485714285714', 1, 'X', 0.4857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.125', 1, 'Y', 0.125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.485714285714', 1, 'XVel', 0.4857142857142857, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.125', 1, 'YVel', 0.125, 'value']]}], 'name': 'state_0.312755165415', 'analog': 0}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.682315198268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.13749999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.117847058516', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.5190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.03333333333333338, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04375000000000001, 'value']]}], 'name': 'state_0.805988837425', 'analog': 1}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.450991429235', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.525, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.228629503255', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.5476190476190477, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.931435114204', 'analog': 2}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.813031525206', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.525, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.347015379734', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04375000000000001, 'value']]}], 'name': 'state_0.0998246763924', 'analog': 3}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.321824707421', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3875', 1, 'Y', 0.3875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.1375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.68575015763', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.619047619048', 1, 'X', 0.6190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.3, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.04999999999999999, 'value']]}], 'name': 'state_0.913981746386', 'analog': 4}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.933134657413', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.06875000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0328524097159', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.647619047619', 1, 'X', 0.6476190476190476, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.3375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03750000000000003, 'value']]}], 'name': 'state_0.569462804023', 'analog': 5}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0833369601241', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1375', 1, 'YVel', -0.13749999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.76060529193', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.680952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.25877150862', 'analog': 6}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.334827391427', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.075, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.140585390861', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.7047619047619048, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4125', 1, 'Y', 0.4125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.499237953355', 'analog': 7}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.716953916028', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999992, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846007203824', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.7285714285714285, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.610563344638', 'analog': 8}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.572251691779', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.416336715325', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.766666666667', 1, 'X', 0.7666666666666667, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523818, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.269390562985', 'analog': 9}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.991853825664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.50292118116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.7952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.422879977216', 'analog': 10}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0617213932038', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.175, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.075', 1, 'YVel', 0.07499999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.343393808819', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0872759768396', 'analog': 11}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.83792737958', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.0062500000000000056, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.725603079094', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.380433043334', 'analog': 12}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.716380001772', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.08124999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.378670801612', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.65612181125', 'analog': 13}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.902586206642', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04374999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0796590825069', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.101148492471', 'analog': 14}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.33774197818', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.854875428441', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.973065579554', 'analog': 15}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.783696332506', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.468466883273', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.5047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.290476190476', 1, 'XVel', -0.29047619047619044, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.08124999999999999, 'value']]}], 'name': 'state_0.713874946261', 'analog': 16}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.790168048441', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.853264401851', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.5333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4125', 1, 'Y', 0.4125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000003, 'value']]}], 'name': 'state_0.0102421174153', 'analog': 17}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.538531396015', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.814216360946', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.5523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3875', 1, 'Y', 0.3875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.024999999999999967, 'value']]}], 'name': 'state_0.938816835237', 'analog': 18}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.963285201231', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.21875', 1, 'Y', 0.21875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012500000000000011, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.163515554686', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.35, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000003, 'value']]}], 'name': 'state_0.551584889122', 'analog': 19}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.734283416162', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.275', 1, 'Y', 0.275, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.349168588175', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.6, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.325, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.024999999999999967, 'value']]}], 'name': 'state_0.609972294527', 'analog': 20}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.982170541635', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.225', 1, 'Y', 0.225, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.05000000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.611118863365', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.6285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000003, 'value']]}], 'name': 'state_0.953636800645', 'analog': 21}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.474749941466', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.125', 1, 'YVel', -0.125, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.525348309716', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.6571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.912493262316', 'analog': 22}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.317092435523', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04374999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.533016197981', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.6857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2125', 1, 'Y', 0.2125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}], 'name': 'state_0.920340052655', 'analog': 23}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0242969415528', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.075626924385', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.714285714286', 1, 'X', 0.7142857142857143, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.175, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}], 'name': 'state_0.768797606073', 'analog': 24}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.873552177434', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.424488059332', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.747619047619', 1, 'X', 0.7476190476190476, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.13125', 1, 'Y', 0.13125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.04374999999999998, 'value']]}], 'name': 'state_0.760892693994', 'analog': 25}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.03338342713', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.484337643913', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.771428571429', 1, 'X', 0.7714285714285715, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.08125', 1, 'Y', 0.08125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.05, 'value']]}], 'name': 'state_0.171331885574', 'analog': 26}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.275231897672', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.919107711826', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.738095238095', 1, 'X', 0.7380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.075', 1, 'Y', 0.075, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.0062500000000000056, 'value']]}], 'name': 'state_0.33801131865', 'analog': 27}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.540614796748', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.25160840835', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.719047619048', 1, 'X', 0.719047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.0572920418002', 'analog': 28}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.868507822939', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.560986313113', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.7', 1, 'X', 0.7, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.15', 1, 'Y', 0.15, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999999, 'value']]}], 'name': 'state_0.761068154432', 'analog': 29}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.368599304491', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.176431209773', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.671428571429', 1, 'X', 0.6714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.056249999999999994, 'value']]}], 'name': 'state_0.333315635151', 'analog': 30}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.630239200564', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.645944556734', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.642857142857', 1, 'X', 0.6428571428571429, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.799774305242', 'analog': 31}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.491584739446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.04374999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.227734496155', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.62380952381', 1, 'X', 0.6238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.3, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.228666140286', 'analog': 32}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.597505719606', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.804218403641', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.6047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.3375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03750000000000003, 'value']]}], 'name': 'state_0.581275064199', 'analog': 33}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.183417259221', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.178312104711', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.472107773565', 'analog': 34}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.397995159042', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.361329664307', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.5523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.505172213515', 'analog': 35}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.632496148437', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006249999999999992, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.738802402424', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.5333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.475', 1, 'Y', 0.475, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.784867701877', 'analog': 36}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.804113492347', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999992, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.984545732596', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.5047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.53125', 1, 'Y', 0.53125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.362998357521', 'analog': 37}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.606671123744', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.486055333058', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.4714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6', 1, 'Y', 0.6, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06874999999999998, 'value']]}], 'name': 'state_0.16250011178', 'analog': 38}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.905756069633', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.189772773103', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65625', 1, 'Y', 0.65625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.615713856582', 'analog': 39}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.721237466457', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0213583275532', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.414285714286', 1, 'X', 0.4142857142857143, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7125', 1, 'Y', 0.7125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.028571428571428525, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.692960176737', 'analog': 40}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.737515008948', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.672032157379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.380952380952', 1, 'X', 0.38095238095238093, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.775, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.03333333333333338, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.8108132534', 'analog': 41}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.913791648627', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0193499238152', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.347619047619', 1, 'X', 0.3476190476190476, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06874999999999998, 'value']]}], 'name': 'state_0.100816271515', 'analog': 42}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.812988856656', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.346581375008', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.342857142857', 1, 'X', 0.34285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8875', 1, 'Y', 0.8875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0047619047619', 1, 'XVel', -0.004761904761904745, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.954217578532', 'analog': 43}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.826454543756', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845222168937', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.366666666667', 1, 'X', 0.36666666666666664, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.934375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.046875', 1, 'YVel', 0.046875, 'value']]}], 'name': 'state_0.579817956582', 'analog': 44}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.877898552606', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.529957502421', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.395238095238', 1, 'X', 0.3952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.015625', 1, 'YVel', -0.015625, 'value']]}], 'name': 'state_0.0348425828186', 'analog': 45}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.817971084179', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.449397278446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999993, 'value']]}], 'name': 'state_0.295945618667', 'analog': 46}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.284543029581', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.923867016168', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.447619047619', 1, 'X', 0.44761904761904764, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8125', 1, 'Y', 0.8125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.39894522894', 'analog': 47}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.952118276063', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.1375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.561114926911', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.466666666667', 1, 'X', 0.4666666666666667, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.775, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.019047619047619035, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.767983082208', 'analog': 48}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.290323040219', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.946119337754', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.490476190476', 1, 'X', 0.49047619047619045, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.73125', 1, 'Y', 0.73125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.04375000000000007, 'value']]}], 'name': 'state_0.493212973834', 'analog': 49}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.759131260391', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.792676377629', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.5190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.675', 1, 'Y', 0.675, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.028571428571428636, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05624999999999991, 'value']]}], 'name': 'state_0.0139589361687', 'analog': 50}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0537149525687', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.779638492567', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.5476190476190477, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.0119253863359', 'analog': 51}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.3239212741', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.256857010813', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.571428571429', 1, 'X', 0.5714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.56875', 1, 'Y', 0.56875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.437053040484', 'analog': 52}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0646167346215', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.954790340331', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.6, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.5125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.398772192179', 'analog': 53}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0805903486829', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.528607760977', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.062499999999999944, 'value']]}], 'name': 'state_0.467483336605', 'analog': 54}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.686241613593', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.768279937749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.671428571429', 1, 'X', 0.6714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.375', 1, 'Y', 0.375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.07500000000000001, 'value']]}], 'name': 'state_0.856054583025', 'analog': 55}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.704897204143', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.113936754944', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.695238095238', 1, 'X', 0.6952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.325, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999999, 'value']]}], 'name': 'state_0.983773206117', 'analog': 56}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.15869858973', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006249999999999992, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.460413599888', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.7238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.26875', 1, 'Y', 0.26875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.811350948953', 'analog': 57}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.660071619196', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.10625', 1, 'Y', 0.10625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.839410880052', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.7571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.20625', 1, 'Y', 0.20625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.0625, 'value']]}], 'name': 'state_0.669521820011', 'analog': 58}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.681016176084', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.788095238095', 1, 'X', 0.7880952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.103125', 1, 'Y', 0.103125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.00238095238095', 1, 'XVel', -0.0023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.0031250000000000028, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.14897496169', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.192609099077', 'analog': 59}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.788231369123', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.00238095238095', 1, 'XVel', 0.0023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.003124999999999989, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.888492279614', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.7619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.19375', 1, 'Y', 0.19375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0047619047619', 1, 'XVel', 0.004761904761904745, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0125', 1, 'YVel', -0.012499999999999983, 'value']]}], 'name': 'state_0.0626652148594', 'analog': 60}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.76365710391', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.1375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.683642979093', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.742857142857', 1, 'X', 0.7428571428571429, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.673631948714', 'analog': 61}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.359411421967', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.288409899193', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.714285714286', 1, 'X', 0.7142857142857143, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05624999999999997, 'value']]}], 'name': 'state_0.41351555333', 'analog': 62}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.512485635107', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.1375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.487260404408', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.690476190476', 1, 'X', 0.6904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.3375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.97886621726', 'analog': 63}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.354476859837', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.037500000000000006, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.960258570896', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.6571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.4, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.0265754048498', 'analog': 64}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0388334417733', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0953229315684', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.6285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05624999999999997, 'value']]}], 'name': 'state_0.247535389877', 'analog': 65}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.875332491872', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.643476592671', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.6047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.04999999999999999, 'value']]}], 'name': 'state_0.128965915191', 'analog': 66}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.010247806794', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.193758390556', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.57619047619', 1, 'X', 0.5761904761904761, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.237242487153', 'analog': 67}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.962924840148', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.00840000464232', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.5476190476190477, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142847, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05625000000000002, 'value']]}], 'name': 'state_0.43561225895', 'analog': 68}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0624579093116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.842979819701', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.528571428571', 1, 'X', 0.5285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65625', 1, 'Y', 0.65625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.205332705272', 'analog': 69}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.733760572633', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.137139880546', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}], 'name': 'state_0.509810042464', 'analog': 70}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.680674793165', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.594470477034', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.4714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.76875', 1, 'Y', 0.76875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.362069938732', 'analog': 71}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.692430307999', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.275', 1, 'Y', 0.275, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.09375', 1, 'YVel', 0.09375000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.646855309277', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.825', 1, 'Y', 0.825, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05624999999999991, 'value']]}], 'name': 'state_0.960600976706', 'analog': 72}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.450366371735', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.847158240153', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0238095238095', 1, 'XVel', -0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04375000000000007, 'value']]}], 'name': 'state_0.412489728668', 'analog': 73}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.585448608601', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.157143337496', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.385714285714', 1, 'X', 0.38571428571428573, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.934375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.065625', 1, 'YVel', 0.06562499999999993, 'value']]}], 'name': 'state_0.65898299143', 'analog': 74}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.529615506662', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0563903199434', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.357142857143', 1, 'X', 0.35714285714285715, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.015625', 1, 'YVel', -0.015625, 'value']]}], 'name': 'state_0.0817423865584', 'analog': 75}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.753248263844', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.01875', 1, 'YVel', -0.01874999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.572445163785', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.338095238095', 1, 'X', 0.3380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.88125', 1, 'Y', 0.88125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0190476190476', 1, 'XVel', -0.019047619047619035, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.157688560299', 'analog': 76}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.879717647757', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.775811149392', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.338095238095', 1, 'X', 0.3380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.825', 1, 'Y', 0.825, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.813939842996', 'analog': 77}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.633399481022', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.549978910938', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.361904761905', 1, 'X', 0.3619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.775, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999993, 'value']]}], 'name': 'state_0.577260049692', 'analog': 78}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.762229571114', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05625', 1, 'YVel', 0.05624999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.861705860538', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.390476190476', 1, 'X', 0.3904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.0936719495939', 'analog': 79}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.178669501075', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.1375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.224491294964', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.419047619048', 1, 'X', 0.41904761904761906, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6625', 1, 'Y', 0.6625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.00393922705088', 'analog': 80}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.054255848302', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.40625', 1, 'Y', 0.40625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0267647853842', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.442857142857', 1, 'X', 0.44285714285714284, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.61875', 1, 'Y', 0.61875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.02380952380952378, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.184193648621', 'analog': 81}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.550468731558', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.4, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.759411010307', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.4714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.0389987684047', 'analog': 82}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.515186660774', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.4, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.169593089389', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.5125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.788574182089', 'analog': 83}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556276313556', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4', 1, 'Y', 0.4, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.261919396027', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.52380952381', 1, 'X', 0.5238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45625', 1, 'Y', 0.45625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05624999999999997, 'value']]}], 'name': 'state_0.349193574488', 'analog': 84}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.971747473445', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.3625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.331892259557', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.561904761905', 1, 'X', 0.5619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.38125', 1, 'Y', 0.38125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.07500000000000001, 'value']]}], 'name': 'state_0.805562366973', 'analog': 85}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.491117058481', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.3625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.280802793121', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.585714285714', 1, 'X', 0.5857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3375', 1, 'Y', 0.3375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.548298425925', 'analog': 86}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.743208371766', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3625', 1, 'Y', 0.3625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.143607095815', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.6047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3', 1, 'Y', 0.3, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000003, 'value']]}], 'name': 'state_0.472013422447', 'analog': 87}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.500178793134', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.13125', 1, 'YVel', -0.13124999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.540035769674', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.638095238095', 1, 'X', 0.638095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.23125', 1, 'Y', 0.23125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.06874999999999998, 'value']]}], 'name': 'state_0.80898545332', 'analog': 88}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.800916789877', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25625', 1, 'Y', 0.25625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.024999999999999967, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.902336651824', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.666666666667', 1, 'X', 0.6666666666666666, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.175', 1, 'Y', 0.175, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}], 'name': 'state_0.417662815535', 'analog': 89}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.619374003951', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2', 1, 'Y', 0.2, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05624999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.505711841964', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.6857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1375', 1, 'Y', 0.1375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.387426436103', 'analog': 90}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.356586621664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.1, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.175120063636', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.7238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0625', 1, 'Y', 0.0625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.07500000000000001, 'value']]}], 'name': 'state_0.328326861292', 'analog': 91}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.523242176021', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.14375', 1, 'Y', 0.14375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04374999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.371229182181', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.752380952381', 1, 'X', 0.7523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.08125', 1, 'Y', 0.08125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.01875', 1, 'YVel', 0.018750000000000003, 'value']]}], 'name': 'state_0.643556114525', 'analog': 92}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0176707835681', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.1375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.210194862002', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.15625', 1, 'Y', 0.15625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.075', 1, 'YVel', 0.075, 'value']]}], 'name': 'state_0.758528546855', 'analog': 93}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.580355707312', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1875', 1, 'Y', 0.1875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.09375', 1, 'YVel', -0.09375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0471022267876', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.778457941077', 'analog': 94}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.397899229791', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1875', 1, 'Y', 0.1875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0527680699203', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.703526704411', 'analog': 95}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.214998478607', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.09999999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.386914478379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.720081566461', 'analog': 96}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.870815932243', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.526952320442', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.994457894167', 'analog': 97}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.405123158541', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.131196919272', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.4714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.319047619048', 1, 'XVel', -0.319047619047619, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.35', 1, 'YVel', 0.35, 'value']]}], 'name': 'state_0.276582308152', 'analog': 98}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.829404653913', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.282545093465', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5375', 1, 'Y', 0.5375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.257708201946', 'analog': 99}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.754816340439', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.588325289708', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.52380952381', 1, 'X', 0.5238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.575', 1, 'Y', 0.575, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.0204388689859', 'analog': 100}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.440779284591', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.35, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.906037521045', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.5523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6125', 1, 'Y', 0.6125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03750000000000009, 'value']]}], 'name': 'state_0.0463552848108', 'analog': 101}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.679921882992', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006250000000000033, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.98309191313', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65', 1, 'Y', 0.65, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.504762557984', 'analog': 102}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.175080561684', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.378562879721', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.6047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.68125', 1, 'Y', 0.68125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.998427068703', 'analog': 103}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.982725012655', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.395467757885', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.71875', 1, 'Y', 0.71875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.503282757323', 'analog': 104}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.886342972614', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.1375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.172033296257', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.661904761905', 1, 'X', 0.6619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.75625', 1, 'Y', 0.75625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.217514816877', 'analog': 105}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.959701354233', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.162897833367', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.6857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7875', 1, 'Y', 0.7875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.652440833011', 'analog': 106}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.361846783261', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.075', 1, 'YVel', -0.07499999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.970254879799', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.7047619047619048, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8125', 1, 'Y', 0.8125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.41093827345', 'analog': 107}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.624242741604', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.33125', 1, 'Y', 0.33125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.870711999595', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.7285714285714285, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.743418682364', 'analog': 108}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0553371351812', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.325', 1, 'Y', 0.325, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.396124252253', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.7619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8875', 1, 'Y', 0.8875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.344645742977', 'analog': 109}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.84072578135', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.26875', 1, 'Y', 0.26875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.623215103264', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.785714285714', 1, 'X', 0.7857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.91875', 1, 'Y', 0.91875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.932150863058', 'analog': 110}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.00779342499033', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.95308010983', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.844152322427', 'analog': 111}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.499801613793', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0103914995277', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.573628157316', 'analog': 112}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.304012567325', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.884504002358', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.771169700587', 'analog': 113}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.384570514251', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.309084576197', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.401834776798', 'analog': 114}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.384397846465', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.297517658916', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0343231473812', 'analog': 115}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.544209900268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.15', 1, 'YVel', -0.15000000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.371068323877', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.471428571429', 1, 'X', 0.4714285714285714, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.89375', 1, 'Y', 0.89375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.314285714286', 1, 'XVel', -0.3142857142857143, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.02499999999999991, 'value']]}], 'name': 'state_0.422711526547', 'analog': 116}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.7856335087', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1125', 1, 'Y', 0.1125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.791391251586', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.495238095238', 1, 'X', 0.49523809523809526, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8625', 1, 'Y', 0.8625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.351890962826', 'analog': 117}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.304199358041', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0125', 1, 'YVel', -0.012499999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.439028468244', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.514285714286', 1, 'X', 0.5142857142857142, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8375', 1, 'Y', 0.8375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.34583119359', 'analog': 118}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.300827632749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.528014765787', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.538095238095', 1, 'X', 0.5380952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.80625', 1, 'Y', 0.80625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.0808349469935', 'analog': 119}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.788054070664', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.06875', 1, 'YVel', -0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.375774060443', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.561904761905', 1, 'X', 0.5619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.775', 1, 'Y', 0.775, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523836, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.38208945241', 'analog': 120}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0265342713918', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.55884617452', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.75', 1, 'Y', 0.75, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.398614852402', 'analog': 121}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.822949332779', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845108264899', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.6', 1, 'X', 0.6, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.725', 1, 'Y', 0.725, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.316922161988', 'analog': 122}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.766365926414', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.993132425886', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.628571428571', 1, 'X', 0.6285714285714286, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6875', 1, 'Y', 0.6875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.237521664845', 'analog': 123}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.841959620113', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.735399522449', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.657142857143', 1, 'X', 0.6571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.65', 1, 'Y', 0.65, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.414843474285', 'analog': 124}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.274078167422', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0615970645758', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.685714285714', 1, 'X', 0.6857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6125', 1, 'Y', 0.6125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.0192451460662', 'analog': 125}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.44863518911', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.905087193236', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.704761904762', 1, 'X', 0.7047619047619048, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5875', 1, 'Y', 0.5875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.0332072357398', 'analog': 126}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.756461046194', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.592189078037', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.7238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5625', 1, 'Y', 0.5625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761898, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.025', 1, 'YVel', -0.025000000000000022, 'value']]}], 'name': 'state_0.286004065537', 'analog': 127}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.483317964627', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.104834807478', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.7571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.51875', 1, 'Y', 0.51875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.043749999999999956, 'value']]}], 'name': 'state_0.151444238815', 'analog': 128}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.73044715749', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.204946107229', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.7952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.46875', 1, 'Y', 0.46875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.47920059722', 'analog': 129}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.49182533946', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.148014284112', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.59040349011', 'analog': 130}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.980667097156', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.255525137116', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.391105243914', 'analog': 131}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.905193529305', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.1', 1, 'Y', 0.1, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.702222061678', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.448226387607', 'analog': 132}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.360414328895', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.06875', 1, 'YVel', 0.06875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.529527843106', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.0378661213879', 'analog': 133}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556879060129', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999983, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.114681790847', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.485714285714', 1, 'X', 0.4857142857142857, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.125', 1, 'Y', 0.125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.309523809524', 1, 'XVel', -0.3095238095238095, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.34375', 1, 'YVel', -0.34375, 'value']]}], 'name': 'state_0.960370764506', 'analog': 134}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.749822947083', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.18125', 1, 'Y', 0.18125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.753589662947', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.519047619048', 1, 'X', 0.5190476190476191, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.16875', 1, 'Y', 0.16875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.03333333333333338, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04375000000000001, 'value']]}], 'name': 'state_0.294006836949', 'analog': 135}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.570467683195', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3125', 1, 'Y', 0.3125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.13125', 1, 'YVel', 0.13125, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.628765225239', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.552380952381', 1, 'X', 0.5523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2125', 1, 'Y', 0.2125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04374999999999998, 'value']]}], 'name': 'state_0.0452042713447', 'analog': 136}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.180966603057', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.31875', 1, 'Y', 0.31875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.592888785707', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.25', 1, 'Y', 0.25, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.037500000000000006, 'value']]}], 'name': 'state_0.455666535977', 'analog': 137}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.505981970646', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.41875', 1, 'Y', 0.41875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.567393080431', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.604761904762', 1, 'X', 0.6047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.28125', 1, 'Y', 0.28125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0238095238095', 1, 'XVel', 0.023809523809523725, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.575980184034', 'analog': 138}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.0138414765004', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012500000000000011, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.322337534348', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.62380952381', 1, 'X', 0.6238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.30625', 1, 'Y', 0.30625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.241551731829', 'analog': 139}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.48355170492', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.43125', 1, 'Y', 0.43125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.0780494646063', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.652380952381', 1, 'X', 0.6523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.34375', 1, 'Y', 0.34375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.875522224706', 'analog': 140}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.526938584379', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2375', 1, 'Y', 0.2375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.19375', 1, 'YVel', -0.19375000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.719330180012', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.690476190476', 1, 'X', 0.6904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.39375', 1, 'Y', 0.39375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.04999999999999999, 'value']]}], 'name': 'state_0.536747011919', 'analog': 141}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.766852119017', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.11875', 1, 'YVel', 0.11875000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.494330386822', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.728571428571', 1, 'X', 0.7285714285714285, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.04999999999999999, 'value']]}], 'name': 'state_0.24163681566', 'analog': 142}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.154466207516', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.1375, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.336598300896', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.757142857143', 1, 'X', 0.7571428571428571, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.48125', 1, 'Y', 0.48125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0285714285714', 1, 'XVel', 0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03750000000000003, 'value']]}], 'name': 'state_0.217082400094', 'analog': 143}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.20296849745', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0125', 1, 'YVel', 0.012499999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.631479742663', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.766666666667', 1, 'X', 0.7666666666666667, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.5125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.00952380952381', 1, 'XVel', 0.009523809523809601, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.031249999999999944, 'value']]}], 'name': 'state_0.238528007383', 'analog': 144}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.298437381298', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.50625', 1, 'Y', 0.50625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.642742536189', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.719047619048', 1, 'X', 0.719047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.55625', 1, 'Y', 0.55625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.047619047619', 1, 'XVel', -0.04761904761904767, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.04375000000000007, 'value']]}], 'name': 'state_0.112913235069', 'analog': 145}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.191036331654', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.44375', 1, 'Y', 0.44375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.0625, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846937168045', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.680952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5875', 1, 'Y', 0.5875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0380952380952', 1, 'XVel', -0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.44289074693', 'analog': 146}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.476288013164', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.00625', 1, 'YVel', -0.006249999999999978, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.846436681495', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.633333333333', 1, 'X', 0.6333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.63125', 1, 'Y', 0.63125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.047619047619', 1, 'XVel', -0.04761904761904767, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.975361229488', 'analog': 147}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.936905486268', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.4375', 1, 'Y', 0.4375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.11918399473', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.590476190476', 1, 'X', 0.5904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.66875', 1, 'Y', 0.66875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.425702534224', 'analog': 148}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.223008408295', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2875', 1, 'Y', 0.2875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.15', 1, 'YVel', -0.15000000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.964029981393', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.547619047619', 1, 'X', 0.5476190476190477, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.70625', 1, 'Y', 0.70625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03750000000000009, 'value']]}], 'name': 'state_0.541248161727', 'analog': 149}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.385122784459', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.225', 1, 'Y', 0.225, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0625', 1, 'YVel', -0.06249999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.00860169275721', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.504761904762', 1, 'X', 0.5047619047619047, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.74375', 1, 'Y', 0.74375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0428571428571', 1, 'XVel', -0.04285714285714293, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0375', 1, 'YVel', 0.03749999999999998, 'value']]}], 'name': 'state_0.189685148885', 'analog': 150}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.100953995679', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.3125', 1, 'Y', 0.3125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0875', 1, 'YVel', 0.0875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.337649765177', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.452380952381', 1, 'X', 0.4523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7875', 1, 'Y', 0.7875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.052380952381', 1, 'XVel', -0.05238095238095236, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}], 'name': 'state_0.434922667259', 'analog': 151}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.975495851644', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5', 1, 'Y', 0.5, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1875', 1, 'YVel', 0.1875, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.845576472998', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.395238095238', 1, 'X', 0.3952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.8375', 1, 'Y', 0.8375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0571428571429', 1, 'XVel', -0.05714285714285716, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.05', 1, 'YVel', 0.050000000000000044, 'value']]}], 'name': 'state_0.605908127046', 'analog': 152}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.96175939123', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.45', 1, 'Y', 0.45, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.206498860406', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.361904761905', 1, 'X', 0.3619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.86875', 1, 'Y', 0.86875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0333333333333', 1, 'XVel', -0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.03125', 1, 'YVel', 0.03125, 'value']]}], 'name': 'state_0.327420749288', 'analog': 153}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.927697034435', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.5125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0625', 1, 'YVel', 0.062499999999999944, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.771887539864', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.333333333333', 1, 'X', 0.3333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.89375', 1, 'Y', 0.89375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_-0.0285714285714', 1, 'XVel', -0.02857142857142858, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.025', 1, 'YVel', 0.025000000000000022, 'value']]}], 'name': 'state_0.872373686593', 'analog': 154}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.296364428784', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.475', 1, 'Y', 0.475, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.739193870454', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.352380952381', 1, 'X', 0.3523809523809524, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.934375', 1, 'Y', 0.934375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0190476190476', 1, 'XVel', 0.01904761904761909, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.040625', 1, 'YVel', 0.04062499999999991, 'value']]}], 'name': 'state_0.432034209712', 'analog': 155}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.125487390547', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.375', 1, 'Y', 0.375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1', 1, 'YVel', -0.09999999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.730489807108', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.390476190476', 1, 'X', 0.3904761904761905, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.93125', 1, 'Y', 0.93125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.003125', 1, 'YVel', -0.0031249999999999334, 'value']]}], 'name': 'state_0.0752575940004', 'analog': 156}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.179833560432', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.2625', 1, 'Y', 0.2625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1125', 1, 'YVel', -0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.948821167289', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.447619047619', 1, 'X', 0.44761904761904764, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.88125', 1, 'Y', 0.88125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0571428571429', 1, 'XVel', 0.05714285714285716, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.050000000000000044, 'value']]}], 'name': 'state_0.114218804289', 'analog': 157}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.348064147283', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35', 1, 'Y', 0.35, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0875', 1, 'YVel', 0.08749999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.85727472095', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.490476190476', 1, 'X', 0.49047619047619045, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.84375', 1, 'Y', 0.84375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.0737087684927', 'analog': 158}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.993168917616', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.35625', 1, 'Y', 0.35625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.00625', 1, 'YVel', 0.006250000000000033, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.415764866586', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.533333333333', 1, 'X', 0.5333333333333333, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.80625', 1, 'Y', 0.80625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.04285714285714287, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.0609751744856', 'analog': 159}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.556358407856', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.46875', 1, 'Y', 0.46875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1125', 1, 'YVel', 0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.398180267935', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.580952380952', 1, 'X', 0.580952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7625', 1, 'Y', 0.7625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.047619047619', 1, 'XVel', 0.04761904761904767, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.04375', 1, 'YVel', -0.04375000000000007, 'value']]}], 'name': 'state_0.326417215647', 'analog': 160}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.160703232966', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.60625', 1, 'Y', 0.60625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1375', 1, 'YVel', 0.13749999999999996, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.79458851704', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.638095238095', 1, 'X', 0.638095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.7125', 1, 'Y', 0.7125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0571428571429', 1, 'XVel', 0.05714285714285705, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05', 1, 'YVel', -0.04999999999999993, 'value']]}], 'name': 'state_0.446335844076', 'analog': 161}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.697623040188', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.525', 1, 'Y', 0.525, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.08125', 1, 'YVel', -0.08124999999999993, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.730892233126', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.680952380952', 1, 'X', 0.680952380952381, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.675', 1, 'Y', 0.675, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.04285714285714293, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03749999999999998, 'value']]}], 'name': 'state_0.716861546862', 'analog': 162}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.48446207164', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.56875', 1, 'Y', 0.56875, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.04375', 1, 'YVel', 0.043749999999999956, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.802554071866', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.72380952381', 1, 'X', 0.7238095238095238, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.6375', 1, 'Y', 0.6375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0428571428571', 1, 'XVel', 0.042857142857142816, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.0375', 1, 'YVel', -0.03750000000000009, 'value']]}], 'name': 'state_0.293731079845', 'analog': 163}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.460217069352', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.5125', 1, 'Y', 0.5125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.05625', 1, 'YVel', -0.05625000000000002, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.576643233446', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.761904761905', 1, 'X', 0.7619047619047619, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.60625', 1, 'Y', 0.60625, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0380952380952', 1, 'XVel', 0.03809523809523807, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.898883940234', 'analog': 164}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.306514916147', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.39375', 1, 'Y', 0.39375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.11875', 1, 'YVel', -0.11874999999999997, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.891366003233', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.795238095238', 1, 'X', 0.7952380952380952, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.575', 1, 'Y', 0.575, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0333333333333', 1, 'XVel', 0.033333333333333326, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.03125', 1, 'YVel', -0.03125, 'value']]}], 'name': 'state_0.4979098627', 'analog': 165}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.00947859224353', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.49375', 1, 'Y', 0.49375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.10000000000000003, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.134895468261', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.419010684589', 'analog': 166}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.396865903698', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.59375', 1, 'Y', 0.59375, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.1', 1, 'YVel', 0.09999999999999998, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.749550304059', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.545606450378', 'analog': 167}, {'set': 'memory', 'RBs': [{'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'bar_0.469213682387', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.790476190476', 1, 'X', 0.7904761904761904, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.48125', 1, 'Y', 0.48125, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_-0.1125', 1, 'YVel', -0.11249999999999999, 'value']]}, {'higher_order': False, 'pred_name': 'non_exist', 'P': 'non_exist', 'object_name': 'ball_0.912963560057', 'pred_sem': [], 'object_sem': [['X', 1, 'X', 'nil', 'state'], ['X_0.0', 1, 'X', 0.0, 'value'], ['Y', 1, 'Y', 'nil', 'state'], ['Y_0.0', 1, 'Y', 0.0, 'value'], ['XVel', 1, 'XVel', 'nil', 'state'], ['XVel_0.0', 1, 'XVel', 0.0, 'value'], ['YVel', 1, 'YVel', 'nil', 'state'], ['YVel_0.0', 1, 'YVel', 0.0, 'value']]}], 'name': 'state_0.578067692552', 'analog': 168}] |
# Given the mapping a = 1, b = 2, ... z = 26, and an encoded message, count the
# number of ways it can be decoded.
# For example, the message '111' would give 3, since it could be decoded as
# 'aaa', 'ka', and 'ak'.
# You can assume that the messages are decodable. For example, '001' is not
# allowed.
ALPHABET = [chr(i) for i in range(97, 123)]
def decode_number(nums):
codes = []
def helper(nums, message):
if not nums:
codes.append(message)
for i in range(1, len(nums) + 1):
code = int(nums[:i])
if code == 0 or code > 26:
break
helper(nums[i:], message + [ALPHABET[code - 1]])
helper(nums, [])
return codes
if __name__ == '__main__':
print(decode_number('111'))
| alphabet = [chr(i) for i in range(97, 123)]
def decode_number(nums):
codes = []
def helper(nums, message):
if not nums:
codes.append(message)
for i in range(1, len(nums) + 1):
code = int(nums[:i])
if code == 0 or code > 26:
break
helper(nums[i:], message + [ALPHABET[code - 1]])
helper(nums, [])
return codes
if __name__ == '__main__':
print(decode_number('111')) |
N = int(input())
c = 0
for i in range(0, N // 5 + 1):
for j in range(0, N // 4 + 1):
five, four = 5 * i, 4 * j
if five + four == N:
c += 1
print(c) | n = int(input())
c = 0
for i in range(0, N // 5 + 1):
for j in range(0, N // 4 + 1):
(five, four) = (5 * i, 4 * j)
if five + four == N:
c += 1
print(c) |
num1 = 10
num2 = 14
num3 = 12
if (num1 >= num2) and (num1 >= num3):
largest = num1
elif (num2 >= num1) and (num2 >= num3):
largest = num2
else:
largest = num3
print("The largest number between",num1,",",num2,"and",num3,"is",largest)
| num1 = 10
num2 = 14
num3 = 12
if num1 >= num2 and num1 >= num3:
largest = num1
elif num2 >= num1 and num2 >= num3:
largest = num2
else:
largest = num3
print('The largest number between', num1, ',', num2, 'and', num3, 'is', largest) |
day = int(input())
even = int(input())
end = int(input())
plan_a = round(max(0, day - 100) * 0.25 + even * 0.15 + end * 0.2, 2)
plan_b = round(max(0, day - 250) * 0.45 + even * 0.35 + end * 0.25, 2)
print('Plan A costs {:2}'.format(plan_a))
print('Plan B costs {:2}'.format(plan_b))
if plan_a < plan_b:
print('Plan A is cheapest.')
elif plan_b < plan_a:
print('Plan B is cheapest.')
else:
print('Plan A and B are the same price.') | day = int(input())
even = int(input())
end = int(input())
plan_a = round(max(0, day - 100) * 0.25 + even * 0.15 + end * 0.2, 2)
plan_b = round(max(0, day - 250) * 0.45 + even * 0.35 + end * 0.25, 2)
print('Plan A costs {:2}'.format(plan_a))
print('Plan B costs {:2}'.format(plan_b))
if plan_a < plan_b:
print('Plan A is cheapest.')
elif plan_b < plan_a:
print('Plan B is cheapest.')
else:
print('Plan A and B are the same price.') |
#Check if the number entered is special
'''a=int(input("Enter a number: "))
b=a
fact=1
s=0
while a!=0:
d=a%10#5;4;1
print(a,d)
for i in range(1,d+1):
fact*=i
s+=fact#120;144;145
fact=1
a=a//10
if s==b:
print("The given number, ", b,"is a special number")
else:
print("The given number, ", b,"is not a special number")'''
#Check if the number entered is niven
'''a=int(input("Enter a number: "))
b=a
s=0
while a!=0:
d=a%10
s+=d
a=a//10
if b%s==0:
print("The given number", b, "is a Niven number")
else:
print("The given number", b, "is not a Niven number")'''
#Check if the number entered is Armstrong number
'''a=int(input("Enter a number: "))
b=a
k=a
ctr=0
s=0
while a!=0:
d=a%10
ctr+=1
a=a//10
while b!=0:
c=b%10
s+=c**ctr
b=b//10
if s==k:
print("The given number", k,"is an Armstrong number")
else:
print("The given number", k,"is not an Armstrong number")'''
#Display the max and the min of a multiple digit number
'''a=int(input("Enter a number: "))
k=0
l=0
while a!=0:
d=a%10
a=a//10
if d>k:
k=d
else:
l=d
print(k)
print(d)'''
| """a=int(input("Enter a number: "))
b=a
fact=1
s=0
while a!=0:
d=a%10#5;4;1
print(a,d)
for i in range(1,d+1):
fact*=i
s+=fact#120;144;145
fact=1
a=a//10
if s==b:
print("The given number, ", b,"is a special number")
else:
print("The given number, ", b,"is not a special number")"""
'a=int(input("Enter a number: "))\nb=a\ns=0\nwhile a!=0:\n d=a%10\n s+=d\n a=a//10\nif b%s==0:\n print("The given number", b, "is a Niven number")\nelse:\n print("The given number", b, "is not a Niven number")'
'a=int(input("Enter a number: "))\nb=a\nk=a\nctr=0\ns=0\nwhile a!=0:\n d=a%10\n ctr+=1\n a=a//10\nwhile b!=0:\n c=b%10\n s+=c**ctr\n b=b//10\nif s==k:\n print("The given number", k,"is an Armstrong number")\nelse:\n print("The given number", k,"is not an Armstrong number")'
'a=int(input("Enter a number: "))\nk=0\nl=0\nwhile a!=0:\n d=a%10\n a=a//10\n if d>k:\n k=d\n else:\n l=d\nprint(k)\nprint(d)' |
# MAXIMISE GCD
def gcd(a,b):
if a%b==0:
return(b)
if b%a==0:
return(a)
if a==b:
return(a)
if a>b:
return gcd(a%b,b)
if b>a:
return gcd(a,b%a)
n = int(input())
Arr = list(map(int, input().strip().split()))
x = Arr[n-1]
mx = 1
j = 0
for i in range(n-1,-1,-1):
G = gcd(x,Arr[i])
#print(G)
if mx<=G:
mx = G
j = i
x = G
print(j)
| def gcd(a, b):
if a % b == 0:
return b
if b % a == 0:
return a
if a == b:
return a
if a > b:
return gcd(a % b, b)
if b > a:
return gcd(a, b % a)
n = int(input())
arr = list(map(int, input().strip().split()))
x = Arr[n - 1]
mx = 1
j = 0
for i in range(n - 1, -1, -1):
g = gcd(x, Arr[i])
if mx <= G:
mx = G
j = i
x = G
print(j) |
##
##
# File auto-generated against equivalent DynamicSerialize Java class
class NewAdaptivePlotRequest(object):
def __init__(self):
self.fileContents = None
self.fileName = None
self.bundleName = None
self.description = None
def getFileContents(self):
return self.fileContents
def setFileContents(self, fileContents):
self.fileContents = fileContents
def getFileName(self):
return self.fileName
def setFileName(self, fileName):
self.fileName = fileName
def getBundleName(self):
return self.bundleName
def setBundleName(self, bundleName):
self.bundleName = bundleName
def getDescription(self):
return self.description
def setDescription(self, description):
self.description = description
| class Newadaptiveplotrequest(object):
def __init__(self):
self.fileContents = None
self.fileName = None
self.bundleName = None
self.description = None
def get_file_contents(self):
return self.fileContents
def set_file_contents(self, fileContents):
self.fileContents = fileContents
def get_file_name(self):
return self.fileName
def set_file_name(self, fileName):
self.fileName = fileName
def get_bundle_name(self):
return self.bundleName
def set_bundle_name(self, bundleName):
self.bundleName = bundleName
def get_description(self):
return self.description
def set_description(self, description):
self.description = description |
load("@rules_scala_annex//rules:external.bzl", "scala_maven_import_external")
load("//repos:rules.bzl", "overlaid_github_repository")
def singularity_scala_repositories():
com_chuusai_shapeless_repository()
com_github_mpilquist_simulacrum_repository()
eu_timepit_refined_repository()
io_circe_circe_repository()
org_scalacheck_scalacheck_repository()
org_scalamacros_paradise_repository()
org_scalatest_scalatest_repository()
org_spire_math_kind_projector_repository()
org_typelevel_cats_repository()
org_typelevel_machinist_repository()
org_typelevel_macro_compat_repository()
scala_binary_dependencies_must_burn()
java_binary_dependencies_might_burn()
def com_chuusai_shapeless_repository():
overlaid_github_repository(
name = "com_chuusai_shapeless",
path = "com/chuusai/shapeless",
repo = "milessabin/shapeless",
sha = "1185bc22692bd5c085b158b732c931d1091c5c62",
)
def com_github_mpilquist_simulacrum_repository():
overlaid_github_repository(
name = "com_github_mpilquist_simulacrum",
path = "com/github/mpilquist/simulacrum",
repo = "mpilquist/simulacrum",
sha = "71021d1bba7c2181dba4358fa3b73785b1a2c273",
)
def eu_timepit_refined_repository():
overlaid_github_repository(
name = "eu_timepit_refined",
path = "eu/timepit/refined",
repo = "fthomas/refined",
sha = "85305c55bedb41edd4a15ca701f4f0a88a581ed5",
)
def io_circe_circe_repository():
overlaid_github_repository(
name = "io_circe_circe",
path = "io/circe/circe",
repo = "circe/circe",
sha = "686bb1043ec5b3250c63f059fa978f9560dd24a8",
)
def org_scalacheck_scalacheck_repository():
overlaid_github_repository(
name = "org_scalacheck_scalacheck",
path = "org/scalacheck/scalacheck",
repo = "rickynils/scalacheck",
sha = "7a83b03cb5df9b9cc4e10d3c0a75847f2c0c6b74",
)
def org_scalamacros_paradise_repository():
overlaid_github_repository(
name = "org_scalamacros_paradise",
path = "org/scalamacros/paradise",
repo = "scalamacros/paradise",
sha = "66f5b66e5fc7e221e225dfe65e4ed1dc41276821", # tag 2.12.7
)
def org_scalatest_scalatest_repository():
overlaid_github_repository(
name = "org_scalatest_scalatest",
path = "org/scalatest/scalatest",
repo = "scalatest/scalatest",
sha = "78e506537ed06d4438e1d365e18c160d46d2bf18",
)
def org_spire_math_kind_projector_repository():
overlaid_github_repository(
name = "org_spire_math_kind_projector",
path = "org/spire_math/kind_projector",
repo = "non/kind-projector",
sha = "c956b9451c584d743a29247331be4d4b76ea5ccd",
)
def org_typelevel_cats_repository():
overlaid_github_repository(
name = "org_typelevel_cats",
path = "org/typelevel/cats",
repo = "typelevel/cats",
sha = "533cc16e4f5bc45f84ac5cae1a6bfca4c007c5e0",
)
def org_typelevel_machinist_repository():
overlaid_github_repository(
name = "org_typelevel_machinist",
path = "org/typelevel/machinist",
repo = "typelevel/machinist",
sha = "ceb2f0a697d60d962f9f4f1ef84d306582d959e1",
)
def org_typelevel_macro_compat_repository():
overlaid_github_repository(
name = "org_typelevel_macro_compat",
path = "org/typelevel/macro_compat",
repo = "milessabin/macro-compat",
sha = "e9b9a94762ee2a43364e4cc6f24083030937576d",
)
# Everything in here should be burned away
def scala_binary_dependencies_must_burn():
native.maven_jar(
name = "org_scala_lang_modules_scala_parser_combinators",
artifact = "org.scala-lang.modules:scala-parser-combinators_2.12:1.1.1",
sha1 = "29b4158f9ddcc22d1c81363fd61a8bef046f06b9",
)
native.maven_jar(
name = "org_scala_lang_modules_scala_xml",
artifact = "org.scala-lang.modules:scala-xml_2.12:1.1.1",
sha1 = "f56ecaf2e5b7138c87449303c763fd1654543fde",
)
def java_binary_dependencies_might_burn():
native.maven_jar(
name = "junit",
artifact = "junit:junit:4.12",
sha1 = "2973d150c0dc1fefe998f834810d68f278ea58ec",
)
native.maven_jar(
name = "hamcrest_core",
artifact = "org.hamcrest:hamcrest-core:1.3",
sha1 = "42a25dc3219429f0e5d060061f71acb49bf010a0",
)
native.maven_jar(
name = "junit_interface",
artifact = "com.novocode:junit-interface:jar:0.11",
sha1 = "38bb853c93abfbe14a0514016f0f70dd73422d9f",
)
native.maven_jar(
name = "antlr",
artifact = "antlr:antlr:2.7.7",
sha1 = "83cd2cd674a217ade95a4bb83a8a14f351f48bd0",
)
native.maven_jar(
name = "antlr_stringtemplate",
artifact = "org.antlr:stringtemplate:3.2",
sha1 = "6fe2e3bb57daebd1555494818909f9664376dd6c",
)
| load('@rules_scala_annex//rules:external.bzl', 'scala_maven_import_external')
load('//repos:rules.bzl', 'overlaid_github_repository')
def singularity_scala_repositories():
com_chuusai_shapeless_repository()
com_github_mpilquist_simulacrum_repository()
eu_timepit_refined_repository()
io_circe_circe_repository()
org_scalacheck_scalacheck_repository()
org_scalamacros_paradise_repository()
org_scalatest_scalatest_repository()
org_spire_math_kind_projector_repository()
org_typelevel_cats_repository()
org_typelevel_machinist_repository()
org_typelevel_macro_compat_repository()
scala_binary_dependencies_must_burn()
java_binary_dependencies_might_burn()
def com_chuusai_shapeless_repository():
overlaid_github_repository(name='com_chuusai_shapeless', path='com/chuusai/shapeless', repo='milessabin/shapeless', sha='1185bc22692bd5c085b158b732c931d1091c5c62')
def com_github_mpilquist_simulacrum_repository():
overlaid_github_repository(name='com_github_mpilquist_simulacrum', path='com/github/mpilquist/simulacrum', repo='mpilquist/simulacrum', sha='71021d1bba7c2181dba4358fa3b73785b1a2c273')
def eu_timepit_refined_repository():
overlaid_github_repository(name='eu_timepit_refined', path='eu/timepit/refined', repo='fthomas/refined', sha='85305c55bedb41edd4a15ca701f4f0a88a581ed5')
def io_circe_circe_repository():
overlaid_github_repository(name='io_circe_circe', path='io/circe/circe', repo='circe/circe', sha='686bb1043ec5b3250c63f059fa978f9560dd24a8')
def org_scalacheck_scalacheck_repository():
overlaid_github_repository(name='org_scalacheck_scalacheck', path='org/scalacheck/scalacheck', repo='rickynils/scalacheck', sha='7a83b03cb5df9b9cc4e10d3c0a75847f2c0c6b74')
def org_scalamacros_paradise_repository():
overlaid_github_repository(name='org_scalamacros_paradise', path='org/scalamacros/paradise', repo='scalamacros/paradise', sha='66f5b66e5fc7e221e225dfe65e4ed1dc41276821')
def org_scalatest_scalatest_repository():
overlaid_github_repository(name='org_scalatest_scalatest', path='org/scalatest/scalatest', repo='scalatest/scalatest', sha='78e506537ed06d4438e1d365e18c160d46d2bf18')
def org_spire_math_kind_projector_repository():
overlaid_github_repository(name='org_spire_math_kind_projector', path='org/spire_math/kind_projector', repo='non/kind-projector', sha='c956b9451c584d743a29247331be4d4b76ea5ccd')
def org_typelevel_cats_repository():
overlaid_github_repository(name='org_typelevel_cats', path='org/typelevel/cats', repo='typelevel/cats', sha='533cc16e4f5bc45f84ac5cae1a6bfca4c007c5e0')
def org_typelevel_machinist_repository():
overlaid_github_repository(name='org_typelevel_machinist', path='org/typelevel/machinist', repo='typelevel/machinist', sha='ceb2f0a697d60d962f9f4f1ef84d306582d959e1')
def org_typelevel_macro_compat_repository():
overlaid_github_repository(name='org_typelevel_macro_compat', path='org/typelevel/macro_compat', repo='milessabin/macro-compat', sha='e9b9a94762ee2a43364e4cc6f24083030937576d')
def scala_binary_dependencies_must_burn():
native.maven_jar(name='org_scala_lang_modules_scala_parser_combinators', artifact='org.scala-lang.modules:scala-parser-combinators_2.12:1.1.1', sha1='29b4158f9ddcc22d1c81363fd61a8bef046f06b9')
native.maven_jar(name='org_scala_lang_modules_scala_xml', artifact='org.scala-lang.modules:scala-xml_2.12:1.1.1', sha1='f56ecaf2e5b7138c87449303c763fd1654543fde')
def java_binary_dependencies_might_burn():
native.maven_jar(name='junit', artifact='junit:junit:4.12', sha1='2973d150c0dc1fefe998f834810d68f278ea58ec')
native.maven_jar(name='hamcrest_core', artifact='org.hamcrest:hamcrest-core:1.3', sha1='42a25dc3219429f0e5d060061f71acb49bf010a0')
native.maven_jar(name='junit_interface', artifact='com.novocode:junit-interface:jar:0.11', sha1='38bb853c93abfbe14a0514016f0f70dd73422d9f')
native.maven_jar(name='antlr', artifact='antlr:antlr:2.7.7', sha1='83cd2cd674a217ade95a4bb83a8a14f351f48bd0')
native.maven_jar(name='antlr_stringtemplate', artifact='org.antlr:stringtemplate:3.2', sha1='6fe2e3bb57daebd1555494818909f9664376dd6c') |
cipher = '11b90d6311b90ff90ce610c4123b10c40ce60dfa123610610ce60d450d000ce61061106110c4098515340d4512361534098509270e5d09850e58123610c9'
pubkey = [99, 1235, 865, 990, 5, 1443, 895, 1477]
flag = ""
for i in range(0, len(cipher), 4):
c = int(cipher[i:i+4], 16)
for m in range(0x100):
test = 0
for p in range(8):
test += ((m >> p) & 1) * pubkey[p]
if test == c:
flag += chr(m)
break
print(flag)
| cipher = '11b90d6311b90ff90ce610c4123b10c40ce60dfa123610610ce60d450d000ce61061106110c4098515340d4512361534098509270e5d09850e58123610c9'
pubkey = [99, 1235, 865, 990, 5, 1443, 895, 1477]
flag = ''
for i in range(0, len(cipher), 4):
c = int(cipher[i:i + 4], 16)
for m in range(256):
test = 0
for p in range(8):
test += (m >> p & 1) * pubkey[p]
if test == c:
flag += chr(m)
break
print(flag) |
#coding:utf-8
'''
filename:vowel_counts.py
chap:4
subject:9
conditions:chap3_35 string
solution:count a,e,i,o,u
'''
text = '''You raise me up,so I can stand on mountains
You raise me up to walk on stromy seas
I am strong when I am on your shoulders
You raise me up to more than I can be'''
vowels = ('a','e','i','o','u')
result = dict.fromkeys(vowels,0)
for char in text:
if char in result.keys():
result[char] +=1
print(f'Vowel_counts :{result}')
rst = {char:text.count(char) for char in vowels}
print(f'Vowel_counts :{rst}')
| """
filename:vowel_counts.py
chap:4
subject:9
conditions:chap3_35 string
solution:count a,e,i,o,u
"""
text = 'You raise me up,so I can stand on mountains\nYou raise me up to walk on stromy seas\nI am strong when I am on your shoulders\nYou raise me up to more than I can be'
vowels = ('a', 'e', 'i', 'o', 'u')
result = dict.fromkeys(vowels, 0)
for char in text:
if char in result.keys():
result[char] += 1
print(f'Vowel_counts :{result}')
rst = {char: text.count(char) for char in vowels}
print(f'Vowel_counts :{rst}') |
# reading ocntents from file
# fp=open('file.txt')
fp=open('file.txt','r')
# by default it opens in read mode
text=fp.read()
print(text) | fp = open('file.txt', 'r')
text = fp.read()
print(text) |
class Entry(object):
def __init__(self):
self.name = ''
self.parent = ''
self.created = 0
self.lastUpdate = 0
self.lastAccess = 0
def create(self):
pass
def delete(self):
pass
def getFullPath(self):
if not self.parent:
return self.name
else:
return self.parent + '/' + self.name
# get created time, last update time, change name etc
class Directory(Entry):
def __init__(self):
super(Directory, self).__init__()
self.content = []
def numberOfFiles(self):
pass
def getSize(self):
pass
class File(Entry):
def __init__(self):
super(File, self).__init__()
self.content = ''
self.size = 0
def getContent(self):
pass
def setContent(self):
pass
def getSize(self):
pass
| class Entry(object):
def __init__(self):
self.name = ''
self.parent = ''
self.created = 0
self.lastUpdate = 0
self.lastAccess = 0
def create(self):
pass
def delete(self):
pass
def get_full_path(self):
if not self.parent:
return self.name
else:
return self.parent + '/' + self.name
class Directory(Entry):
def __init__(self):
super(Directory, self).__init__()
self.content = []
def number_of_files(self):
pass
def get_size(self):
pass
class File(Entry):
def __init__(self):
super(File, self).__init__()
self.content = ''
self.size = 0
def get_content(self):
pass
def set_content(self):
pass
def get_size(self):
pass |
class HashMap:
def __init__(self):
self.bucket = {}
def put(self, key: int, value: int) -> None:
self.bucket[key] = value
def get(self, key: int) -> int:
if key in self.bucket:
return self.bucket[key]
return -1
def remove(self, key: int) -> None:
if key in self.bucket:
del self.bucket[key]
| class Hashmap:
def __init__(self):
self.bucket = {}
def put(self, key: int, value: int) -> None:
self.bucket[key] = value
def get(self, key: int) -> int:
if key in self.bucket:
return self.bucket[key]
return -1
def remove(self, key: int) -> None:
if key in self.bucket:
del self.bucket[key] |
# Licensed to the Apache Software Foundation (ASF) under one
# or more contributor license agreements. See the NOTICE file
# distributed with this work for additional information
# regarding copyright ownership. The ASF licenses this file
# to you under the Apache License, Version 2.0 (the
# "License"); you may not use this file except in compliance
# with the License. You may obtain a copy of the License at
# http://www.apache.org/licenses/LICENSE-2.0
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an
# "AS IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY
# KIND, either express or implied. See the License for the
# specific language governing permissions and limitations
# under the License.
# Rules in rules list will be applied to the CloudTrail event one by one and if any matches
# then event will be processed and published to Slack
default_rules = list()
# Notify if someone logged in without MFA but skip notification for SSO logins
default_rules.append('event["eventName"] == "ConsoleLogin" ' +
'and event["additionalEventData.MFAUsed"] != "Yes" ' +
'and "assumed-role/AWSReservedSSO" not in event.get("userIdentity.arn", "")')
# Notify if someone is trying to do something they not supposed to be doing but do not notify
# about not logged in actions since there are a lot of scans for open buckets that generate noise
default_rules.append('event.get("errorCode", "") == "UnauthorizedOperation"')
default_rules.append('event.get("errorCode", "") == "AccessDenied" ' +
'and (event.get("userIdentity.accountId", "") != "ANONYMOUS_PRINCIPAL")')
# Notify about all non-read actions done by root
default_rules.append('event.get("userIdentity.type", "") == "Root" ' +
'and not event["eventName"].startswith(("Get", "List", "Describe", "Head"))')
| default_rules = list()
default_rules.append('event["eventName"] == "ConsoleLogin" ' + 'and event["additionalEventData.MFAUsed"] != "Yes" ' + 'and "assumed-role/AWSReservedSSO" not in event.get("userIdentity.arn", "")')
default_rules.append('event.get("errorCode", "") == "UnauthorizedOperation"')
default_rules.append('event.get("errorCode", "") == "AccessDenied" ' + 'and (event.get("userIdentity.accountId", "") != "ANONYMOUS_PRINCIPAL")')
default_rules.append('event.get("userIdentity.type", "") == "Root" ' + 'and not event["eventName"].startswith(("Get", "List", "Describe", "Head"))') |
class DisjointSet:
def __init__(self, elements):
self.parent = [0] * elements
self.size = [0] * elements
def make_set(self, value):
self.parent[value] = value
self.size[value] = 1
def find(self, value):
while self.parent[value] != value:
value = self.parent[value]
return value
def union(self, value1, value2):
parent1, parent2 = self.find(value1), self.find(value2)
if self.size[parent1] > self.size[parent2]:
self.parent[parent2] = parent1
self.size[parent1] += self.size[parent2]
else:
self.parent[parent1] = parent2
self.size[parent2] += self.size[parent1]
d = DisjointSet(8)
for i in range(8):
d.make_set(i)
d.union(1, 2)
d.union(2, 3)
d.union(4, 5)
print(d.find(2)) # Will return 2
print(d.find(4)) # Will return 5
d.union(2, 4)
print(d.find(5)) # Will return 2
| class Disjointset:
def __init__(self, elements):
self.parent = [0] * elements
self.size = [0] * elements
def make_set(self, value):
self.parent[value] = value
self.size[value] = 1
def find(self, value):
while self.parent[value] != value:
value = self.parent[value]
return value
def union(self, value1, value2):
(parent1, parent2) = (self.find(value1), self.find(value2))
if self.size[parent1] > self.size[parent2]:
self.parent[parent2] = parent1
self.size[parent1] += self.size[parent2]
else:
self.parent[parent1] = parent2
self.size[parent2] += self.size[parent1]
d = disjoint_set(8)
for i in range(8):
d.make_set(i)
d.union(1, 2)
d.union(2, 3)
d.union(4, 5)
print(d.find(2))
print(d.find(4))
d.union(2, 4)
print(d.find(5)) |
def factor(num1: float, num2: float):
if num1 % num2 == 0:
return f"{num2} is a factor of {num1}"
else:
return f"{num2} is not a factor of {num1}"
num1 = int(input("Enter a number: "))
num2 = int(input("Enter a number: "))
print(factor(num1, num2))
| def factor(num1: float, num2: float):
if num1 % num2 == 0:
return f'{num2} is a factor of {num1}'
else:
return f'{num2} is not a factor of {num1}'
num1 = int(input('Enter a number: '))
num2 = int(input('Enter a number: '))
print(factor(num1, num2)) |
n = input()
cnt = 0
for i in n:
if 'A' <= i <= 'C':
cnt += 3
elif 'D' <= i <= 'F':
cnt += 4
elif 'G' <= i <= 'I':
cnt += 5
elif 'J' <= i <= 'L':
cnt += 6
elif 'M' <= i <= 'O':
cnt += 7
elif 'P' <= i <= 'S':
cnt += 8
elif 'T' <= i <= 'V':
cnt += 9
elif 'W' <= i <= 'Z':
cnt += 10
elif i == 0:
cnt += 11
elif i == 1:
cnt += 2
print(cnt)
| n = input()
cnt = 0
for i in n:
if 'A' <= i <= 'C':
cnt += 3
elif 'D' <= i <= 'F':
cnt += 4
elif 'G' <= i <= 'I':
cnt += 5
elif 'J' <= i <= 'L':
cnt += 6
elif 'M' <= i <= 'O':
cnt += 7
elif 'P' <= i <= 'S':
cnt += 8
elif 'T' <= i <= 'V':
cnt += 9
elif 'W' <= i <= 'Z':
cnt += 10
elif i == 0:
cnt += 11
elif i == 1:
cnt += 2
print(cnt) |
class ClosestDistanceInfo:
def __init__(self, first, second, neighbours):
self.mFirst = first
self.mSecond = second
self.mNeighbours = neighbours
| class Closestdistanceinfo:
def __init__(self, first, second, neighbours):
self.mFirst = first
self.mSecond = second
self.mNeighbours = neighbours |
# -*- coding: utf-8 -*-
{
'actualizada': ['actualizadas'],
'eliminada': ['eliminadas'],
'fila': ['filas'],
'seleccionado': ['seleccionados'],
}
| {'actualizada': ['actualizadas'], 'eliminada': ['eliminadas'], 'fila': ['filas'], 'seleccionado': ['seleccionados']} |
class node(object):
def __init__(self, data):
self.data = data
self.next = None
def get_data(self):
return self.data
def set_next(self, next):
self.next = next
def get_next(self):
return self.next
def has_next(self):
return self.next != None
class linkedlist(object):
def __init__(self):
self.head = None
def insert_at_begin(self,data):
new_node = node(data)
if self.head == 0:
self.head = new_node
else:
new_node.next = self.head
self.head = new_node
def insert(self,data):
new_node = node(data)
current = self.head
while current.get_next() != None:
current = current.get_next()
current.set_next(new_node)
def printll(self):
temp = self.head
while(temp):
print(temp.data)
temp = temp.next
new = linkedlist()
new.insert_at_begin('10')
new.insert_at_begin('10')
new.insert_at_begin('10')
new.insert('20')
new.printll()
| class Node(object):
def __init__(self, data):
self.data = data
self.next = None
def get_data(self):
return self.data
def set_next(self, next):
self.next = next
def get_next(self):
return self.next
def has_next(self):
return self.next != None
class Linkedlist(object):
def __init__(self):
self.head = None
def insert_at_begin(self, data):
new_node = node(data)
if self.head == 0:
self.head = new_node
else:
new_node.next = self.head
self.head = new_node
def insert(self, data):
new_node = node(data)
current = self.head
while current.get_next() != None:
current = current.get_next()
current.set_next(new_node)
def printll(self):
temp = self.head
while temp:
print(temp.data)
temp = temp.next
new = linkedlist()
new.insert_at_begin('10')
new.insert_at_begin('10')
new.insert_at_begin('10')
new.insert('20')
new.printll() |
# Longest common sub sequence:
def find_length_lcs(a1, a2):
N = len(a1)
dp = [[0 for i in range(N + 1)] for j in range(N + 1)]
for i in range(1, N + 1):
for j in range(1, N + 1):
if a1[i - 1] == a2[j - 1]:
dp[i][j] = 1 + dp[i - 1][j - 1]
else:
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1])
print(dp)
return dp[N][N]
# print(find_length_lcs([2, 3, 1], [1, 2, 3]))
def find_least_slice(matrix, N):
dp = [[0 for i in range(N)] for j in range(N)]
for i in range(N):
dp[0][i] = matrix[0][i]
for i in range(1, N):
for j in range(N):
left = float("INF")
right = float("INF")
if (j - 1 >= 0):
left = dp[i - 1][j - 1]
if j + 1 < N:
right = dp[i - 1][j + 1]
dp[i][j] = matrix[i][j] + min(left, min(dp[i - 1][j], right))
print(dp[N-1][:])
return min(dp[N-1][:])
print(find_least_slice(([1, 2, 3], [4, 5, 6], [7, 8, 9]), 3))
| def find_length_lcs(a1, a2):
n = len(a1)
dp = [[0 for i in range(N + 1)] for j in range(N + 1)]
for i in range(1, N + 1):
for j in range(1, N + 1):
if a1[i - 1] == a2[j - 1]:
dp[i][j] = 1 + dp[i - 1][j - 1]
else:
dp[i][j] = max(dp[i - 1][j], dp[i][j - 1])
print(dp)
return dp[N][N]
def find_least_slice(matrix, N):
dp = [[0 for i in range(N)] for j in range(N)]
for i in range(N):
dp[0][i] = matrix[0][i]
for i in range(1, N):
for j in range(N):
left = float('INF')
right = float('INF')
if j - 1 >= 0:
left = dp[i - 1][j - 1]
if j + 1 < N:
right = dp[i - 1][j + 1]
dp[i][j] = matrix[i][j] + min(left, min(dp[i - 1][j], right))
print(dp[N - 1][:])
return min(dp[N - 1][:])
print(find_least_slice(([1, 2, 3], [4, 5, 6], [7, 8, 9]), 3)) |
entries = [
{
'env-title': 'atari-alien',
'env-variant': 'No-op start',
'score': 5778,
'stddev': 2189,
},
{
'env-title': 'atari-amidar',
'env-variant': 'No-op start',
'score': 3537,
'stddev': 521,
},
{
'env-title': 'atari-assault',
'env-variant': 'No-op start',
'score': 11231,
'stddev': 503,
},
{
'env-title': 'atari-asterix',
'env-variant': 'No-op start',
'score': 28350,
'stddev': 607,
},
{
'env-title': 'atari-asteroids',
'env-variant': 'No-op start',
'score': 86700,
'stddev': 80459,
},
{
'env-title': 'atari-atlantis',
'env-variant': 'No-op start',
'score': 972175,
'stddev': 31961,
},
{
'env-title': 'atari-bank-heist',
'env-variant': 'No-op start',
'score': 1318,
'stddev': 37,
},
{
'env-title': 'atari-battle-zone',
'env-variant': 'No-op start',
'score': 52262,
'stddev': 1480,
},
{
'env-title': 'atari-beam-rider',
'env-variant': 'No-op start',
'score': 18501,
'stddev': 662,
},
{
'env-title': 'atari-berzerk',
'env-variant': 'No-op start',
'score': 1896,
'stddev': 604,
},
{
'env-title': 'atari-bowling',
'env-variant': 'No-op start',
'score': 68,
'stddev': 6,
},
{
'env-title': 'atari-boxing',
'env-variant': 'No-op start',
'score': 100,
'stddev': 0,
},
{
'env-title': 'atari-breakout',
'env-variant': 'No-op start',
'score': 263,
'stddev': 20,
},
{
'env-title': 'atari-centipede',
'env-variant': 'No-op start',
'score': 7596,
'stddev': 1134,
},
{
'env-title': 'atari-chopper-command',
'env-variant': 'No-op start',
'score': 11477,
'stddev': 1299,
},
{
'env-title': 'atari-crazy-climber',
'env-variant': 'No-op start',
'score': 171171,
'stddev': 2095,
},
{
'env-title': 'atari-defender',
'env-variant': 'No-op start',
'score': 42253,
'stddev': 2142,
},
{
'env-title': 'atari-demon-attack',
'env-variant': 'No-op start',
'score': 69311,
'stddev': 26289,
},
{
'env-title': 'atari-double-dunk',
'env-variant': 'No-op start',
'score': 1,
'stddev': 0,
},
{
'env-title': 'atari-enduro',
'env-variant': 'No-op start',
'score': 2013,
'stddev': 219,
},
{
'env-title': 'atari-fishing-derby',
'env-variant': 'No-op start',
'score': 57,
'stddev': 2,
},
{
'env-title': 'atari-freeway',
'env-variant': 'No-op start',
'score': 34,
'stddev': 0,
},
{
'env-title': 'atari-frostbite',
'env-variant': 'No-op start',
'score': 2923,
'stddev': 1519,
},
{
'env-title': 'atari-gopher',
'env-variant': 'No-op start',
'score': 38909,
'stddev': 2229,
},
{
'env-title': 'atari-gravitar',
'env-variant': 'No-op start',
'score': 2209,
'stddev': 99,
},
{
'env-title': 'atari-hero',
'env-variant': 'No-op start',
'score': 31533,
'stddev': 4970,
},
{
'env-title': 'atari-ice-hockey',
'env-variant': 'No-op start',
'score': 3,
'stddev': 1,
},
{
'env-title': 'atari-jamesbond',
'env-variant': 'No-op start',
'score': 4682,
'stddev': 2281,
},
{
'env-title': 'atari-kangaroo',
'env-variant': 'No-op start',
'score': 15227,
'stddev': 243,
},
{
'env-title': 'atari-krull',
'env-variant': 'No-op start',
'score': 10754,
'stddev': 181,
},
{
'env-title': 'atari-kung-fu-master',
'env-variant': 'No-op start',
'score': 41672,
'stddev': 1668,
},
{
'env-title': 'atari-montezuma-revenge',
'env-variant': 'No-op start',
'score': 57,
'stddev': 15,
},
{
'env-title': 'atari-ms-pacman',
'env-variant': 'No-op start',
'score': 5546,
'stddev': 367,
},
{
'env-title': 'atari-name-this-game',
'env-variant': 'No-op start',
'score': 12211,
'stddev': 251,
},
{
'env-title': 'atari-phoenix',
'env-variant': 'No-op start',
'score': 10379,
'stddev': 547,
},
{
'env-title': 'atari-pitfall',
'env-variant': 'No-op start',
'score': 0,
'stddev': 0,
},
{
'env-title': 'atari-pong',
'env-variant': 'No-op start',
'score': 21,
'stddev': 0,
},
{
'env-title': 'atari-private-eye',
'env-variant': 'No-op start',
'score': 279,
'stddev': 109,
},
{
'env-title': 'atari-qbert',
'env-variant': 'No-op start',
'score': 27121,
'stddev': 422,
},
{
'env-title': 'atari-riverraid',
'env-variant': 'No-op start',
'score': 23134,
'stddev': 1434,
},
{
'env-title': 'atari-road-runner',
'env-variant': 'No-op start',
'score': 234352,
'stddev': 132671,
},
{
'env-title': 'atari-robotank',
'env-variant': 'No-op start',
'score': 64,
'stddev': 1,
},
{
'env-title': 'atari-seaquest',
'env-variant': 'No-op start',
'score': 16754,
'stddev': 6619,
},
{
'env-title': 'atari-skiing',
'env-variant': 'No-op start',
'score': -7550,
'stddev': 451,
},
{
'env-title': 'atari-solaris',
'env-variant': 'No-op start',
'score': 6522,
'stddev': 750,
},
{
'env-title': 'atari-space-invaders',
'env-variant': 'No-op start',
'score': 5909,
'stddev': 1318,
},
{
'env-title': 'atari-star-gunner',
'env-variant': 'No-op start',
'score': 75867,
'stddev': 8623,
},
{
'env-title': 'atari-surround',
'env-variant': 'No-op start',
'score': 10,
'stddev': 0,
},
{
'env-title': 'atari-tennis',
'env-variant': 'No-op start',
'score': 0,
'stddev': 0,
},
{
'env-title': 'atari-time-pilot',
'env-variant': 'No-op start',
'score': 17301,
'stddev': 1200,
},
{
'env-title': 'atari-tutankham',
'env-variant': 'No-op start',
'score': 269,
'stddev': 19,
},
{
'env-title': 'atari-up-n-down',
'env-variant': 'No-op start',
'score': 61326,
'stddev': 6052,
},
{
'env-title': 'atari-venture',
'env-variant': 'No-op start',
'score': 815,
'stddev': 114,
},
{
'env-title': 'atari-video-pinball',
'env-variant': 'No-op start',
'score': 870954,
'stddev': 135363,
},
{
'env-title': 'atari-wizard-of-wor',
'env-variant': 'No-op start',
'score': 9149,
'stddev': 641,
},
{
'env-title': 'atari-yars-revenge',
'env-variant': 'No-op start',
'score': 86101,
'stddev': 4136,
},
{
'env-title': 'atari-zaxxon',
'env-variant': 'No-op start',
'score': 14874,
'stddev': 214,
},
]
| entries = [{'env-title': 'atari-alien', 'env-variant': 'No-op start', 'score': 5778, 'stddev': 2189}, {'env-title': 'atari-amidar', 'env-variant': 'No-op start', 'score': 3537, 'stddev': 521}, {'env-title': 'atari-assault', 'env-variant': 'No-op start', 'score': 11231, 'stddev': 503}, {'env-title': 'atari-asterix', 'env-variant': 'No-op start', 'score': 28350, 'stddev': 607}, {'env-title': 'atari-asteroids', 'env-variant': 'No-op start', 'score': 86700, 'stddev': 80459}, {'env-title': 'atari-atlantis', 'env-variant': 'No-op start', 'score': 972175, 'stddev': 31961}, {'env-title': 'atari-bank-heist', 'env-variant': 'No-op start', 'score': 1318, 'stddev': 37}, {'env-title': 'atari-battle-zone', 'env-variant': 'No-op start', 'score': 52262, 'stddev': 1480}, {'env-title': 'atari-beam-rider', 'env-variant': 'No-op start', 'score': 18501, 'stddev': 662}, {'env-title': 'atari-berzerk', 'env-variant': 'No-op start', 'score': 1896, 'stddev': 604}, {'env-title': 'atari-bowling', 'env-variant': 'No-op start', 'score': 68, 'stddev': 6}, {'env-title': 'atari-boxing', 'env-variant': 'No-op start', 'score': 100, 'stddev': 0}, {'env-title': 'atari-breakout', 'env-variant': 'No-op start', 'score': 263, 'stddev': 20}, {'env-title': 'atari-centipede', 'env-variant': 'No-op start', 'score': 7596, 'stddev': 1134}, {'env-title': 'atari-chopper-command', 'env-variant': 'No-op start', 'score': 11477, 'stddev': 1299}, {'env-title': 'atari-crazy-climber', 'env-variant': 'No-op start', 'score': 171171, 'stddev': 2095}, {'env-title': 'atari-defender', 'env-variant': 'No-op start', 'score': 42253, 'stddev': 2142}, {'env-title': 'atari-demon-attack', 'env-variant': 'No-op start', 'score': 69311, 'stddev': 26289}, {'env-title': 'atari-double-dunk', 'env-variant': 'No-op start', 'score': 1, 'stddev': 0}, {'env-title': 'atari-enduro', 'env-variant': 'No-op start', 'score': 2013, 'stddev': 219}, {'env-title': 'atari-fishing-derby', 'env-variant': 'No-op start', 'score': 57, 'stddev': 2}, {'env-title': 'atari-freeway', 'env-variant': 'No-op start', 'score': 34, 'stddev': 0}, {'env-title': 'atari-frostbite', 'env-variant': 'No-op start', 'score': 2923, 'stddev': 1519}, {'env-title': 'atari-gopher', 'env-variant': 'No-op start', 'score': 38909, 'stddev': 2229}, {'env-title': 'atari-gravitar', 'env-variant': 'No-op start', 'score': 2209, 'stddev': 99}, {'env-title': 'atari-hero', 'env-variant': 'No-op start', 'score': 31533, 'stddev': 4970}, {'env-title': 'atari-ice-hockey', 'env-variant': 'No-op start', 'score': 3, 'stddev': 1}, {'env-title': 'atari-jamesbond', 'env-variant': 'No-op start', 'score': 4682, 'stddev': 2281}, {'env-title': 'atari-kangaroo', 'env-variant': 'No-op start', 'score': 15227, 'stddev': 243}, {'env-title': 'atari-krull', 'env-variant': 'No-op start', 'score': 10754, 'stddev': 181}, {'env-title': 'atari-kung-fu-master', 'env-variant': 'No-op start', 'score': 41672, 'stddev': 1668}, {'env-title': 'atari-montezuma-revenge', 'env-variant': 'No-op start', 'score': 57, 'stddev': 15}, {'env-title': 'atari-ms-pacman', 'env-variant': 'No-op start', 'score': 5546, 'stddev': 367}, {'env-title': 'atari-name-this-game', 'env-variant': 'No-op start', 'score': 12211, 'stddev': 251}, {'env-title': 'atari-phoenix', 'env-variant': 'No-op start', 'score': 10379, 'stddev': 547}, {'env-title': 'atari-pitfall', 'env-variant': 'No-op start', 'score': 0, 'stddev': 0}, {'env-title': 'atari-pong', 'env-variant': 'No-op start', 'score': 21, 'stddev': 0}, {'env-title': 'atari-private-eye', 'env-variant': 'No-op start', 'score': 279, 'stddev': 109}, {'env-title': 'atari-qbert', 'env-variant': 'No-op start', 'score': 27121, 'stddev': 422}, {'env-title': 'atari-riverraid', 'env-variant': 'No-op start', 'score': 23134, 'stddev': 1434}, {'env-title': 'atari-road-runner', 'env-variant': 'No-op start', 'score': 234352, 'stddev': 132671}, {'env-title': 'atari-robotank', 'env-variant': 'No-op start', 'score': 64, 'stddev': 1}, {'env-title': 'atari-seaquest', 'env-variant': 'No-op start', 'score': 16754, 'stddev': 6619}, {'env-title': 'atari-skiing', 'env-variant': 'No-op start', 'score': -7550, 'stddev': 451}, {'env-title': 'atari-solaris', 'env-variant': 'No-op start', 'score': 6522, 'stddev': 750}, {'env-title': 'atari-space-invaders', 'env-variant': 'No-op start', 'score': 5909, 'stddev': 1318}, {'env-title': 'atari-star-gunner', 'env-variant': 'No-op start', 'score': 75867, 'stddev': 8623}, {'env-title': 'atari-surround', 'env-variant': 'No-op start', 'score': 10, 'stddev': 0}, {'env-title': 'atari-tennis', 'env-variant': 'No-op start', 'score': 0, 'stddev': 0}, {'env-title': 'atari-time-pilot', 'env-variant': 'No-op start', 'score': 17301, 'stddev': 1200}, {'env-title': 'atari-tutankham', 'env-variant': 'No-op start', 'score': 269, 'stddev': 19}, {'env-title': 'atari-up-n-down', 'env-variant': 'No-op start', 'score': 61326, 'stddev': 6052}, {'env-title': 'atari-venture', 'env-variant': 'No-op start', 'score': 815, 'stddev': 114}, {'env-title': 'atari-video-pinball', 'env-variant': 'No-op start', 'score': 870954, 'stddev': 135363}, {'env-title': 'atari-wizard-of-wor', 'env-variant': 'No-op start', 'score': 9149, 'stddev': 641}, {'env-title': 'atari-yars-revenge', 'env-variant': 'No-op start', 'score': 86101, 'stddev': 4136}, {'env-title': 'atari-zaxxon', 'env-variant': 'No-op start', 'score': 14874, 'stddev': 214}] |
class CacheData:
def __init__(self, cache=None, root=None,hit=None,full=None):
self.cache = cache
self.root = root
self.hit = hit
self.full = full
| class Cachedata:
def __init__(self, cache=None, root=None, hit=None, full=None):
self.cache = cache
self.root = root
self.hit = hit
self.full = full |
##
# This software was developed and / or modified by Raytheon Company,
# pursuant to Contract DG133W-05-CQ-1067 with the US Government.
#
# U.S. EXPORT CONTROLLED TECHNICAL DATA
# This software product contains export-restricted data whose
# export/transfer/disclosure is restricted by U.S. law. Dissemination
# to non-U.S. persons whether in the United States or abroad requires
# an export license or other authorization.
#
# Contractor Name: Raytheon Company
# Contractor Address: 6825 Pine Street, Suite 340
# Mail Stop B8
# Omaha, NE 68106
# 402.291.0100
#
# See the AWIPS II Master Rights File ("Master Rights File.pdf") for
# further licensing information.
##
#----------------------------------------------------------------------------
#
# SOFTWARE HISTORY
#
# Date Ticket# Engineer Description
# ------------ ---------- ----------- --------------------------
# ?? ?? ?? Initial creation
# 02/10/2016 5283 nabowle Remove NGM support.
#---------------------------------------------------------------------
##
# This is an absolute override file, indicating that a higher priority version
# of the file will completely replace a lower priority version of the file.
##
#---------------------------------------------------------------------
#
# B O I V E R I F Y C O N F I G U R A T I O N
#
#---------------------------------------------------------------------
#
# VERDIR = top directory where verification data will be stored
#
VERDIR="/data/verify"
#
# EDITAREAS = filename with list of edit areas (must be in VERDIR
# directory)
#
EDITAREAS="EditAreas.dat"
#
# PERCENT_COLOR = Color table name to use for percentage displays
#
PERCENT_COLOR="Warm To Cold"
#
# GRIDDAYS = number of days to keep grids in database
# STATDAYS = number of days to keep stats in database
#
# These can be changed - but they have serious implications for the
# size of the files that are created. Once you have large netCDF
# datafiles, making these numbers smaller will have no effect.
# Eventually we'll have a program that will change of a grid database
# for more or less days.
#
GRIDDAYS=200 # number of days of grids to keep
STATDAYS=500 # number of days to keep stats
#
# OBSMODELS = Name of databases that can be used for "truth"
#
OBSMODELS=["Obs","RFCQPE"]
#OBSMODELS=["RTMA"]
#
# VERCONFIG = configuration info for each parms to verify.
#
# For each parm, specify a tuple of:
#
# parmType = 0=SCALAR, 1=VECTOR (we don't do weather yet)
# verType = 0=value, 1=probability
# SaveInt = 0=save all grids, 3= save 0,3,6,9 UTC grids, etc.
# Thresholds = a tuple with 5 threshold values
# BinWidth = width of bins in histograms
# MaxErr = max error to show in displays
# ColorCurve = color curve to use for error displays
# obsParm = observed Parm name. For probability type parms
# this is a tuple with 3 entries:
# observed Parm Name
# threshold type string (">" ">=" "<" ",=")
# threshold value
#
# If parm is a vector, then each of the config values from Thresholds on
# are tuples with the first for 'magnitude' and the second for 'direction'
#
VERCONFIG={}
VERCONFIG["T"] =(0,0,3, (1,3,5,7,10), 0.5, 20, "BV_Change1","T")
VERCONFIG["MaxT"] =(0,0,0, (1,3,5,7,10), 0.5, 20, "BV_Change1","MaxT")
VERCONFIG["MinT"] =(0,0,0, (1,3,5,7,10), 0.5, 20, "BV_Change1","MinT")
VERCONFIG["Td"] =(0,0,3, (1,3,5,7,10), 0.5, 20, "BV_Change2","Td")
VERCONFIG["TdAft"] =(0,0,0, (1,3,5,7,10), 0.5, 20, "BV_Change2","TdAft")
VERCONFIG["TdMrn"] =(0,0,0, (1,3,5,7,10), 0.5, 20, "BV_Change2","TdMrn")
VERCONFIG["RH"] =(0,0,3,(2,4,8,15,30), 1.0, 40, "BV_Change2","RH")
VERCONFIG["MaxRH"] =(0,0,0,(2,4,8,15,30), 1.0, 40, "BV_Change2","MaxRH")
VERCONFIG["MinRH"] =(0,0,0,(2,4,8,15,30), 1.0, 40, "BV_Change2","MinRH")
VERCONFIG["Wind"] =(1,0,3,((1,3,5,7,10),(10,30,50,70,90)),
(1.0,10.0),(20,180),("BV_Change1","BV_Change1"),"Wind")
VERCONFIG["PoP"] =(0,1,0,(5,10,20,30,50), 2.5, 100, "BV_Change2",("QPE06",">=",0.01))
VERCONFIG["QPF"] =(0,0,0,(0.05,0.10,0.25,0.50,1.00),0.05,1.0,"BV_Change2","QPE06")
#
# SAVE_MODELS = Names of GFE databases to archive in BOIVerifySave
#
SAVE_MODELS=["GFS40","GFS40BC","ADJMAV","ADJMAVBC","ADJMEX","ADJMEXBC",
"ADJMEH","ADJMEN","ADJMEL",
"MOSGuide","MOSGuideBC",
"NAM12","NAM12BC","ADJMET","ADJMETBC",
"DGEX","DGEXBC","ADJDGX","ADJDGXBC",
"ADJFWC","ADJFWCBC",
"ADJKAF","ADJKAFBC",
"SREF","SREFBC",
"Official","ISC",
]
#
# Possible Model Cycles - as strings. The hours
# for these cycles, relative to 00 UTC are taken as
# the int() of these strings.
#
ALLCYCLES=["00","03","06","09","12","15","18","21"]
#
# Rounding used in scale entries
#
NOMINALSPACING=1.25
#
# Maximum number of hours in any forecast from any model
# (you can set it higher than needed - but it will slow things down
# during the saving of data, and also when searching for data)
#
MAXFORECASTHOUR=240
#
# If FORECASTER_LIST_TRIMMING is set to 1, then they can only
# calculate stats for the username that they logged into GFE as
# (or the entire office). If set to 0, then they can calculate
# for anyone in the office
#
FORECASTER_LIST_TRIMMING=0
#
# Even if FORECASTER_LIST_TRIMMING is turned on, if you list a
# username in the ADMINISTRATORS list, that user will be able to
# calculate data for any individual in the office
#
FORECASTER_LIST_TRIMMING_ADMINISTRATORS=['SITE','tbarker']
#
# The format of the forecaster list can be "number" "id","name",
# "number-name", or "number-id","
#
FORECASTER_LIST_FORMAT="number-name"
#
# Sorting of the forecaster list can be done by "number","id", or "name"
#
FORECASTER_LIST_SORT="number"
#
# Resolution of Accumulation periods (i.e., if this is set to 3, then
# verification can only be done on periods 3, 6, 9, 12 hours long, etc.
# whereas, if this is 6, then verification can only be done on periods
# 6, 12, 18, 24 hours long, etc.
#
ACCUM_RESOLUTION=3
#
# This is the default length of Accumulation periods. It must be an
# interval of ACCUM_RESOLUTION above.
#
ACCUM_LENGTH_DEFAULT=12
#
# This is the default frequency of Accumulation periods. It must be
# greater than 1, but should NOT be greater than 24.
#
ACCUM_FREQUENCY_DEFAULT=12
#
# When looking for grids that are "in" a particular day, we need to
# be careful about 'long' grids, like MaxT or MinT. For example, in
# some timezones, a "UTC day" will have the end of one MaxT grid, then
# a blank time, and then the start of another MaxT grid. Which one is
# the "one" for that particular day? The OFFSET hours are added to the
# start and end of a UTC day - and then grids are checked to see if they
# intersect this new 'time period' for the day.
#
# For example, in the mountain timezone, a MaxT grid starts at 14Z and
# lasts through 02Z the next UTC day. When looking at grids for, say,
# Oct 3rd, we don't want to consider the one that crosses over the first
# 2 hours of the UTC day - we want only the one that intersects the "end"
# of the day. So...we set the START_OFFSET_HOURS for "MaxT" to 12. Only
# grids that cross over the 12Z to 00Z 'end' of the day will be considered
# for 'that day'.
#
# Likewise, some definitions of MaxRH in the mountain timezone go from
# 22Z on one day, through 16Z on the next day (although there is no
# 'standard' for period definitions for MaxRH/MinRH). We want the MaxRH
# for a particular day, to be the one that covers the period from 00Z to
# 16Z, not the 2 hours of the next one that starts at 22Z late in the day.
# So...we set the END_OFFSET_HOURS for MaxRH to -12. The 'end' of the day
# is now 12Z, so only grids that intersect the 00Z to 12Z period are
# considered for that day.
#
# For parms NOT listed here - the offset is zero - which is the normal
# situation for parms that don't cover a time period.
#
END_OFFSET_HOURS= {"MinT":-12,
"TdMrn":-12,
"MaxRH":-12,
}
START_OFFSET_HOURS={"MaxT":12,
"TdAft":12,
"MinRH":12,
}
#
# BASE_OFFSET is used when figuring out common cases. For any model
# listed here, we add the specified number of hours to it's real basetime
# to get it's "effective" basetime, and compare that to other models
# when finding common cases. For example, if we have "SREF":-3, here
# then for a 15Z run of the SREF model - we will add -3 hours to that,
# getting 12Z - and check for other 12Z models when finding common cases.
#
BASE_OFFSET={"DGEX":6,
"DGEXBC":6,
"ADJDGX":6,
"ADJDGXBC":6,
"SREF":-3,
"SREFBC":-3,
}
#
# When parms are listed in the BOIVerifyInfo - they will be in this order
# with any other parms added alphabetically after those listed here.
#
PARMINFO_ORDER=["MaxT","MinT","T","PoP","QPF","Wind","MaxRH","MinRH","RH",
"TdMrn","TdAft","Td"]
#
# SAVE_MAXVERSIONS is the maximum number of old GFE databases to scan
# to see if there is any data that has not yet been moved to the
# BOIVerify databases. I suppose you could save some time by setting
# this smaller - but it takes just a second or two to scan a GFE
# database to see if any of it's grids need to be archived...so I
# wouldn't change this from 10
#
SAVE_MAXVERSIONS=10
#
# AUTOCALC_DAYS is the normal number of recent days observations to
# scan for new data - when pre-calculating scores in BOIVerifyAutoCalc
#
AUTOCALC_DAYS=5
#
# AUTOCALC_TOO_RECENT is in hours. Used by BOIVerifyAutoCalc.
# If an observation grid has been stored within this many hours - it
# won't calculate scores yet - figuring that this observation grid
# might get revised later and we don't want to waste time calculating
# these scores again.
#
AUTOCALC_TOO_RECENT=12
#
# BIASCORR_DAYS is the normal number of recent days forecasts to use
# for the Bias Correction regression in BOIVerifyBiasCorr
#
BIASCORR_DAYS=30
#
# BIASCORR_MINDAYS is the minimum number of recent days that have to exist
# before performing a Bias Correction regression in BOIVerifyBiasCorr
#
BIASCORR_MINDAYS=14
| verdir = '/data/verify'
editareas = 'EditAreas.dat'
percent_color = 'Warm To Cold'
griddays = 200
statdays = 500
obsmodels = ['Obs', 'RFCQPE']
verconfig = {}
VERCONFIG['T'] = (0, 0, 3, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change1', 'T')
VERCONFIG['MaxT'] = (0, 0, 0, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change1', 'MaxT')
VERCONFIG['MinT'] = (0, 0, 0, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change1', 'MinT')
VERCONFIG['Td'] = (0, 0, 3, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change2', 'Td')
VERCONFIG['TdAft'] = (0, 0, 0, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change2', 'TdAft')
VERCONFIG['TdMrn'] = (0, 0, 0, (1, 3, 5, 7, 10), 0.5, 20, 'BV_Change2', 'TdMrn')
VERCONFIG['RH'] = (0, 0, 3, (2, 4, 8, 15, 30), 1.0, 40, 'BV_Change2', 'RH')
VERCONFIG['MaxRH'] = (0, 0, 0, (2, 4, 8, 15, 30), 1.0, 40, 'BV_Change2', 'MaxRH')
VERCONFIG['MinRH'] = (0, 0, 0, (2, 4, 8, 15, 30), 1.0, 40, 'BV_Change2', 'MinRH')
VERCONFIG['Wind'] = (1, 0, 3, ((1, 3, 5, 7, 10), (10, 30, 50, 70, 90)), (1.0, 10.0), (20, 180), ('BV_Change1', 'BV_Change1'), 'Wind')
VERCONFIG['PoP'] = (0, 1, 0, (5, 10, 20, 30, 50), 2.5, 100, 'BV_Change2', ('QPE06', '>=', 0.01))
VERCONFIG['QPF'] = (0, 0, 0, (0.05, 0.1, 0.25, 0.5, 1.0), 0.05, 1.0, 'BV_Change2', 'QPE06')
save_models = ['GFS40', 'GFS40BC', 'ADJMAV', 'ADJMAVBC', 'ADJMEX', 'ADJMEXBC', 'ADJMEH', 'ADJMEN', 'ADJMEL', 'MOSGuide', 'MOSGuideBC', 'NAM12', 'NAM12BC', 'ADJMET', 'ADJMETBC', 'DGEX', 'DGEXBC', 'ADJDGX', 'ADJDGXBC', 'ADJFWC', 'ADJFWCBC', 'ADJKAF', 'ADJKAFBC', 'SREF', 'SREFBC', 'Official', 'ISC']
allcycles = ['00', '03', '06', '09', '12', '15', '18', '21']
nominalspacing = 1.25
maxforecasthour = 240
forecaster_list_trimming = 0
forecaster_list_trimming_administrators = ['SITE', 'tbarker']
forecaster_list_format = 'number-name'
forecaster_list_sort = 'number'
accum_resolution = 3
accum_length_default = 12
accum_frequency_default = 12
end_offset_hours = {'MinT': -12, 'TdMrn': -12, 'MaxRH': -12}
start_offset_hours = {'MaxT': 12, 'TdAft': 12, 'MinRH': 12}
base_offset = {'DGEX': 6, 'DGEXBC': 6, 'ADJDGX': 6, 'ADJDGXBC': 6, 'SREF': -3, 'SREFBC': -3}
parminfo_order = ['MaxT', 'MinT', 'T', 'PoP', 'QPF', 'Wind', 'MaxRH', 'MinRH', 'RH', 'TdMrn', 'TdAft', 'Td']
save_maxversions = 10
autocalc_days = 5
autocalc_too_recent = 12
biascorr_days = 30
biascorr_mindays = 14 |
validators = {
"departure location": [[45, 609], [616, 954]],
"departure station": [[32, 194], [211, 972]],
"departure platform": [[35, 732], [744, 970]],
"departure track": [[40, 626], [651, 952]],
"departure date": [[44, 170], [184, 962]],
"departure time": [[49, 528], [538, 954]],
"arrival location": [[36, 448], [464, 956]],
"arrival station": [[48, 356], [373, 972]],
"arrival platform": [[25, 118], [132, 954]],
"arrival track": [[43, 703], [719, 965]],
"class": [[29, 822], [828, 961]],
"duration": [[25, 131], [151, 967]],
"price": [[44, 784], [794, 958]],
"route": [[25, 498], [511, 951]],
"row": [[44, 905], [916, 973]],
"seat": [[26, 756], [777, 960]],
"train": [[36, 803], [819, 954]],
"type": [[33, 318], [335, 967]],
"wagon": [[46, 558], [570, 969]],
"zone": [[47, 249], [265, 972]],
}
other_tickets = []
with open("tickets.txt") as file_handler:
for line in file_handler:
other_tickets.append([int(n) for n in line.strip().split(",")])
invalid_ticket_indexes = set()
error_scanning_rate = 0
for n, other_ticket in enumerate(other_tickets):
for number in other_ticket:
valid_in_terms_of = []
for validator_name, validator_ranges in validators.items():
valid = False
for validator_range in validator_ranges:
if number in range(validator_range[0], validator_range[1] + 1):
valid = True
break
if valid:
valid_in_terms_of.append(validator_name)
if len(valid_in_terms_of) == 0:
invalid_ticket_indexes.add(n)
error_scanning_rate += number
print(len(invalid_ticket_indexes))
print(error_scanning_rate)
with open("valid_tickets.txt", "w") as file_handler:
for n, other_ticket in enumerate(other_tickets):
if n not in invalid_ticket_indexes:
as_string = []
for i in other_ticket:
as_string.append(str(i))
file_handler.write(",".join(as_string) + "\n")
| validators = {'departure location': [[45, 609], [616, 954]], 'departure station': [[32, 194], [211, 972]], 'departure platform': [[35, 732], [744, 970]], 'departure track': [[40, 626], [651, 952]], 'departure date': [[44, 170], [184, 962]], 'departure time': [[49, 528], [538, 954]], 'arrival location': [[36, 448], [464, 956]], 'arrival station': [[48, 356], [373, 972]], 'arrival platform': [[25, 118], [132, 954]], 'arrival track': [[43, 703], [719, 965]], 'class': [[29, 822], [828, 961]], 'duration': [[25, 131], [151, 967]], 'price': [[44, 784], [794, 958]], 'route': [[25, 498], [511, 951]], 'row': [[44, 905], [916, 973]], 'seat': [[26, 756], [777, 960]], 'train': [[36, 803], [819, 954]], 'type': [[33, 318], [335, 967]], 'wagon': [[46, 558], [570, 969]], 'zone': [[47, 249], [265, 972]]}
other_tickets = []
with open('tickets.txt') as file_handler:
for line in file_handler:
other_tickets.append([int(n) for n in line.strip().split(',')])
invalid_ticket_indexes = set()
error_scanning_rate = 0
for (n, other_ticket) in enumerate(other_tickets):
for number in other_ticket:
valid_in_terms_of = []
for (validator_name, validator_ranges) in validators.items():
valid = False
for validator_range in validator_ranges:
if number in range(validator_range[0], validator_range[1] + 1):
valid = True
break
if valid:
valid_in_terms_of.append(validator_name)
if len(valid_in_terms_of) == 0:
invalid_ticket_indexes.add(n)
error_scanning_rate += number
print(len(invalid_ticket_indexes))
print(error_scanning_rate)
with open('valid_tickets.txt', 'w') as file_handler:
for (n, other_ticket) in enumerate(other_tickets):
if n not in invalid_ticket_indexes:
as_string = []
for i in other_ticket:
as_string.append(str(i))
file_handler.write(','.join(as_string) + '\n') |
class Solution:
def recoverTree(self, root: Optional[TreeNode]) -> None:
def swap(x: Optional[TreeNode], y: Optional[TreeNode]) -> None:
temp = x.val
x.val = y.val
y.val = temp
def inorder(root: Optional[TreeNode]) -> None:
if not root:
return
inorder(root.left)
if self.pred and root.val < self.pred.val:
self.y = root
if not self.x:
self.x = self.pred
else:
return
self.pred = root
inorder(root.right)
inorder(root)
swap(self.x, self.y)
pred = None
x = None # 1st wrong node
y = None # 2nd wrong node
| class Solution:
def recover_tree(self, root: Optional[TreeNode]) -> None:
def swap(x: Optional[TreeNode], y: Optional[TreeNode]) -> None:
temp = x.val
x.val = y.val
y.val = temp
def inorder(root: Optional[TreeNode]) -> None:
if not root:
return
inorder(root.left)
if self.pred and root.val < self.pred.val:
self.y = root
if not self.x:
self.x = self.pred
else:
return
self.pred = root
inorder(root.right)
inorder(root)
swap(self.x, self.y)
pred = None
x = None
y = None |
# Copyright (c) Microsoft Corporation. All rights reserved.
# Licensed under the MIT License.
class VersionUpdateItem:
def __init__(self, id, new_version):
self.id = id
self.new_version = new_version
def __str__(self):
return '[id: {}; new_version: {}]'.format(self.id, self.new_version)
| class Versionupdateitem:
def __init__(self, id, new_version):
self.id = id
self.new_version = new_version
def __str__(self):
return '[id: {}; new_version: {}]'.format(self.id, self.new_version) |
class Solution:
def minimumTotal(self, triangle: List[List[int]]) -> int:
arr = [0x7fffffff] * len(triangle)
arr[0] = triangle[0][0]
for i in range(1, len(triangle)):
arr[i] = arr[i - 1] + triangle[i][i]
for j in range(i - 1, 0, -1):
arr[j] = min(arr[j - 1], arr[j]) + triangle[i][j]
arr[0] = arr[0] + triangle[i][0]
return min(arr) | class Solution:
def minimum_total(self, triangle: List[List[int]]) -> int:
arr = [2147483647] * len(triangle)
arr[0] = triangle[0][0]
for i in range(1, len(triangle)):
arr[i] = arr[i - 1] + triangle[i][i]
for j in range(i - 1, 0, -1):
arr[j] = min(arr[j - 1], arr[j]) + triangle[i][j]
arr[0] = arr[0] + triangle[i][0]
return min(arr) |
prn_out = {
1: [2, 6],
2: [3, 7],
3: [4, 8],
4: [6, 9],
5: [1, 9],
6: [2, 10],
7: [1, 8],
8: [2, 9],
9: [3, 10],
10: [2, 3],
11: [3, 4],
12: [5, 6],
13: [6, 7],
14: [7, 8],
15: [8, 9],
16: [9, 10],
17: [1, 4],
18: [2, 5],
19: [3, 6],
20: [4, 7],
21: [5, 8],
22: [6, 9],
23: [1, 3],
24: [4, 6],
25: [5, 7],
26: [6, 8],
27: [7, 9],
28: [8, 10],
29: [1, 6],
30: [2, 7],
31: [3, 8],
32: [4, 9]
}
| prn_out = {1: [2, 6], 2: [3, 7], 3: [4, 8], 4: [6, 9], 5: [1, 9], 6: [2, 10], 7: [1, 8], 8: [2, 9], 9: [3, 10], 10: [2, 3], 11: [3, 4], 12: [5, 6], 13: [6, 7], 14: [7, 8], 15: [8, 9], 16: [9, 10], 17: [1, 4], 18: [2, 5], 19: [3, 6], 20: [4, 7], 21: [5, 8], 22: [6, 9], 23: [1, 3], 24: [4, 6], 25: [5, 7], 26: [6, 8], 27: [7, 9], 28: [8, 10], 29: [1, 6], 30: [2, 7], 31: [3, 8], 32: [4, 9]} |
load("@bazel_tools//tools/build_defs/repo:git.bzl", "git_repository")
load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive")
load("@bazel_tools//tools/build_defs/repo:utils.bzl", "maybe")
def berty_go_repositories():
# utils
maybe(
git_repository,
name = "bazel_skylib",
remote = "https://github.com/bazelbuild/bazel-skylib",
commit = "e59b620b392a8ebbcf25879fc3fde52b4dc77535",
shallow_since = "1570639401 -0400",
)
maybe(
http_archive,
name = "build_bazel_rules_nodejs",
sha256 = "ad4be2c6f40f5af70c7edf294955f9d9a0222c8e2756109731b25f79ea2ccea0",
urls = ["https://github.com/bazelbuild/rules_nodejs/releases/download/0.38.3/rules_nodejs-0.38.3.tar.gz"],
)
# go
maybe(
http_archive,
name = "io_bazel_rules_go",
sha256 = "87f0fb9747854cb76a0a82430adccb6269f7d394237104a4523b51061c469171",
urls = [
"https://mirror.bazel.build/github.com/bazelbuild/rules_go/releases/download/v0.23.1/rules_go-v0.23.1.tar.gz",
"https://github.com/bazelbuild/rules_go/releases/download/v0.23.1/rules_go-v0.23.1.tar.gz",
],
patches = [
"@berty//go:third_party/io_bazel_rules_go/PR-2181-rebase-0.23.1.patch",
],
patch_tool = "git",
patch_args = ["apply"],
)
# gazelle
maybe(
http_archive,
name = "bazel_gazelle",
sha256 = "bfd86b3cbe855d6c16c6fce60d76bd51f5c8dbc9cfcaef7a2bb5c1aafd0710e8",
urls = [
"https://mirror.bazel.build/github.com/bazelbuild/bazel-gazelle/releases/download/v0.21.0/bazel-gazelle-v0.21.0.tar.gz",
"https://github.com/bazelbuild/bazel-gazelle/releases/download/v0.21.0/bazel-gazelle-v0.21.0.tar.gz",
],
)
# golangci-lint
maybe(
http_archive,
name = "com_github_atlassian_bazel_tools",
strip_prefix = "bazel-tools-a2138311856f55add11cd7009a5abc8d4fd6f163",
sha256 = "9db3d3eededb398ae7d5a00b428d32b59577da0b3f4b4eb07daf710509008bfc",
urls = ["https://github.com/atlassian/bazel-tools/archive/a2138311856f55add11cd7009a5abc8d4fd6f163.zip"],
)
| load('@bazel_tools//tools/build_defs/repo:git.bzl', 'git_repository')
load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive')
load('@bazel_tools//tools/build_defs/repo:utils.bzl', 'maybe')
def berty_go_repositories():
maybe(git_repository, name='bazel_skylib', remote='https://github.com/bazelbuild/bazel-skylib', commit='e59b620b392a8ebbcf25879fc3fde52b4dc77535', shallow_since='1570639401 -0400')
maybe(http_archive, name='build_bazel_rules_nodejs', sha256='ad4be2c6f40f5af70c7edf294955f9d9a0222c8e2756109731b25f79ea2ccea0', urls=['https://github.com/bazelbuild/rules_nodejs/releases/download/0.38.3/rules_nodejs-0.38.3.tar.gz'])
maybe(http_archive, name='io_bazel_rules_go', sha256='87f0fb9747854cb76a0a82430adccb6269f7d394237104a4523b51061c469171', urls=['https://mirror.bazel.build/github.com/bazelbuild/rules_go/releases/download/v0.23.1/rules_go-v0.23.1.tar.gz', 'https://github.com/bazelbuild/rules_go/releases/download/v0.23.1/rules_go-v0.23.1.tar.gz'], patches=['@berty//go:third_party/io_bazel_rules_go/PR-2181-rebase-0.23.1.patch'], patch_tool='git', patch_args=['apply'])
maybe(http_archive, name='bazel_gazelle', sha256='bfd86b3cbe855d6c16c6fce60d76bd51f5c8dbc9cfcaef7a2bb5c1aafd0710e8', urls=['https://mirror.bazel.build/github.com/bazelbuild/bazel-gazelle/releases/download/v0.21.0/bazel-gazelle-v0.21.0.tar.gz', 'https://github.com/bazelbuild/bazel-gazelle/releases/download/v0.21.0/bazel-gazelle-v0.21.0.tar.gz'])
maybe(http_archive, name='com_github_atlassian_bazel_tools', strip_prefix='bazel-tools-a2138311856f55add11cd7009a5abc8d4fd6f163', sha256='9db3d3eededb398ae7d5a00b428d32b59577da0b3f4b4eb07daf710509008bfc', urls=['https://github.com/atlassian/bazel-tools/archive/a2138311856f55add11cd7009a5abc8d4fd6f163.zip']) |
y: Tuple[int, ...]
x: Tuple[int]
z: Tuple[Union[int, str]]
for ([y, (x, (z))]) in \
undefined():
pass | y: Tuple[int, ...]
x: Tuple[int]
z: Tuple[Union[int, str]]
for [y, (x, z)] in undefined():
pass |
class Solution:
def findLadders(self, beginWord: str, endWord: str, wordList: List[str]) -> List[List[str]]:
words = set(wordList)
if endWord not in words:
return []
frontier = collections.deque([(beginWord)])
mn_cost = math.inf
costs = {w : math.inf for w in words}
costs[beginWord] = 0
costs[endWord] = math.inf
prev = collections.defaultdict(set)
while frontier:
sz = len(frontier)
for _ in range(sz):
node = frontier.popleft()
if node == endWord:
mn_cost = min(mn_cost, costs[node])
if costs[node] > mn_cost:
continue
else:
for i in range(len(node)):
for ch in string.ascii_lowercase:
nei = node[:i] + ch + node[i + 1:]
if nei in words and costs[nei] >= costs[node] + 1:
frontier.append(nei)
if costs[nei] > costs[node] + 1:
prev[nei] = {node}
else:
prev[nei].add(node)
costs[nei] = costs[node] + 1
ans = []
def helper(path, target, ans):
if path[-1] == target:
ans.append(path[::-1])
else:
for nei in prev[path[-1]]:
helper(path + [nei], target, ans)
helper([endWord], beginWord, ans)
return ans
| class Solution:
def find_ladders(self, beginWord: str, endWord: str, wordList: List[str]) -> List[List[str]]:
words = set(wordList)
if endWord not in words:
return []
frontier = collections.deque([beginWord])
mn_cost = math.inf
costs = {w: math.inf for w in words}
costs[beginWord] = 0
costs[endWord] = math.inf
prev = collections.defaultdict(set)
while frontier:
sz = len(frontier)
for _ in range(sz):
node = frontier.popleft()
if node == endWord:
mn_cost = min(mn_cost, costs[node])
if costs[node] > mn_cost:
continue
else:
for i in range(len(node)):
for ch in string.ascii_lowercase:
nei = node[:i] + ch + node[i + 1:]
if nei in words and costs[nei] >= costs[node] + 1:
frontier.append(nei)
if costs[nei] > costs[node] + 1:
prev[nei] = {node}
else:
prev[nei].add(node)
costs[nei] = costs[node] + 1
ans = []
def helper(path, target, ans):
if path[-1] == target:
ans.append(path[::-1])
else:
for nei in prev[path[-1]]:
helper(path + [nei], target, ans)
helper([endWord], beginWord, ans)
return ans |
if __name__ == '__main__':
stlist = []
marks = set()
lower_name = []
for _ in range(int(input())):
name = input()
score = float(input())
stlist.append([name, score])
marks.add(score)
# Increasing order
sec = sorted(marks)[1]
# print(sec)
for name, score in stlist:
if score == sec :
lower_name.append(name)
for name in sorted(lower_name):
print(name)
# Sample Input 0
# 5
# Harry
# 37.21
# Berry
# 37.21
# Tina
# 37.2
# Akriti
# 41
# Harsh
# 39
# Sample Output 0
# Berry
# Harry
| if __name__ == '__main__':
stlist = []
marks = set()
lower_name = []
for _ in range(int(input())):
name = input()
score = float(input())
stlist.append([name, score])
marks.add(score)
sec = sorted(marks)[1]
for (name, score) in stlist:
if score == sec:
lower_name.append(name)
for name in sorted(lower_name):
print(name) |
#printing fibonacci number until 'n' using python
n=int(input("enter the value of 'n': "))
a=0
b=1
sum=0
count=1
print("fibonacci:",end = " ")
while(count<=n):
print(sum,end=" ")
count +=1
a=b
b=sum
sum=a+b
| n = int(input("enter the value of 'n': "))
a = 0
b = 1
sum = 0
count = 1
print('fibonacci:', end=' ')
while count <= n:
print(sum, end=' ')
count += 1
a = b
b = sum
sum = a + b |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.