content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
---|---|
def math():
lists = []
count = 0
for i in range(20):
j = int(input())
lists.append(j)
for j in range(20)[::-1]:
print('N[' + str(count) + '] =', lists[j])
count += 1
if __name__ == '__main__':
math()
|
def math():
lists = []
count = 0
for i in range(20):
j = int(input())
lists.append(j)
for j in range(20)[::-1]:
print('N[' + str(count) + '] =', lists[j])
count += 1
if __name__ == '__main__':
math()
|
class NumberCheckerOnGroup:
@classmethod
def numberToGroup(cls, tNumber):
clsNumber = 1
if tNumber >= 1 and tNumber <= 9:
clsNumber = 1
elif tNumber >= 10 and tNumber <= 19:
clsNumber = 10
elif tNumber >= 20 and tNumber <= 29:
clsNumber = 20
elif tNumber >= 30 and tNumber <= 39:
clsNumber = 30
elif tNumber >= 40 and tNumber <= 49:
clsNumber = 40
elif tNumber >= 50 and tNumber <= 59:
clsNumber = 50
elif tNumber >= 60 and tNumber <= 69:
clsNumber = 60
elif tNumber >= 70 and tNumber <= 79:
clsNumber = 70
return clsNumber
def __init__(self):
self.numberGroup = None
def setGroup(self, numberGroupTuple):
self.numberGroup = list(numberGroupTuple)
def matchGroup(self, numberList):
groupList = list(map(lambda n: NumberCheckerOnGroup.numberToGroup(n), numberList))
return groupList == self.numberGroup
if __name__ == '__main__':
numberCheckerOnGroup = NumberCheckerOnGroup()
numberCheckerOnGroup.setGroup((1,20,30,40,40))
numList = list([3,25,34,45,41])
numberCheckerOnGroup.matchGroup(numList)
NumberCheckerOnGroup.numberToGroup(20)
|
class Numbercheckerongroup:
@classmethod
def number_to_group(cls, tNumber):
cls_number = 1
if tNumber >= 1 and tNumber <= 9:
cls_number = 1
elif tNumber >= 10 and tNumber <= 19:
cls_number = 10
elif tNumber >= 20 and tNumber <= 29:
cls_number = 20
elif tNumber >= 30 and tNumber <= 39:
cls_number = 30
elif tNumber >= 40 and tNumber <= 49:
cls_number = 40
elif tNumber >= 50 and tNumber <= 59:
cls_number = 50
elif tNumber >= 60 and tNumber <= 69:
cls_number = 60
elif tNumber >= 70 and tNumber <= 79:
cls_number = 70
return clsNumber
def __init__(self):
self.numberGroup = None
def set_group(self, numberGroupTuple):
self.numberGroup = list(numberGroupTuple)
def match_group(self, numberList):
group_list = list(map(lambda n: NumberCheckerOnGroup.numberToGroup(n), numberList))
return groupList == self.numberGroup
if __name__ == '__main__':
number_checker_on_group = number_checker_on_group()
numberCheckerOnGroup.setGroup((1, 20, 30, 40, 40))
num_list = list([3, 25, 34, 45, 41])
numberCheckerOnGroup.matchGroup(numList)
NumberCheckerOnGroup.numberToGroup(20)
|
#addBorder
picture = ["abc", "ded"]
def addBorder(mang):
print("*****")
for x in mang:
print("*"+x+"*")
print("*****")
|
picture = ['abc', 'ded']
def add_border(mang):
print('*****')
for x in mang:
print('*' + x + '*')
print('*****')
|
class Student:
free_students = set()
def __init__(self, sid: int, pref_list: list, math_grade, cs_grade, utils):
self.sid = sid
self.math_grade = math_grade
self.cs_grade = cs_grade
self.pref_list = pref_list
self.project = None
self.utils = utils
self.pair = None
def is_free(self):
return bool(not self.project)
class Project:
def __init__(self, pid):
self.pid = pid
self.grade_type = 'cs_grade' if pid % 2 else 'math_grade'
self.proposals = {}
self.main_student = None
self.partner_student = None
self.price = 0
def is_free(self):
return bool(not self.main_student)
def run_deferred_acceptance(n) -> dict:
return {1: 2, 2: 3, 3: 4, 4: 1, 5: 5}
def run_deferred_acceptance_for_pairs(n) -> dict:
return {1: 2, 2: 2, 3: 3, 4: 3, 5: 5}
def count_blocking_pairs(matching_file, n) -> int:
return 0 if 'single' in matching_file else 1
def calc_total_welfare(matching_file, n) -> int:
return 73 if 'single' in matching_file else 63
|
class Student:
free_students = set()
def __init__(self, sid: int, pref_list: list, math_grade, cs_grade, utils):
self.sid = sid
self.math_grade = math_grade
self.cs_grade = cs_grade
self.pref_list = pref_list
self.project = None
self.utils = utils
self.pair = None
def is_free(self):
return bool(not self.project)
class Project:
def __init__(self, pid):
self.pid = pid
self.grade_type = 'cs_grade' if pid % 2 else 'math_grade'
self.proposals = {}
self.main_student = None
self.partner_student = None
self.price = 0
def is_free(self):
return bool(not self.main_student)
def run_deferred_acceptance(n) -> dict:
return {1: 2, 2: 3, 3: 4, 4: 1, 5: 5}
def run_deferred_acceptance_for_pairs(n) -> dict:
return {1: 2, 2: 2, 3: 3, 4: 3, 5: 5}
def count_blocking_pairs(matching_file, n) -> int:
return 0 if 'single' in matching_file else 1
def calc_total_welfare(matching_file, n) -> int:
return 73 if 'single' in matching_file else 63
|
text = "X-DSPAM-Confidence: 0.8475"
pos = text.find(':')
numString = text[pos+1:]
num = float(numString)
print(num)
|
text = 'X-DSPAM-Confidence: 0.8475'
pos = text.find(':')
num_string = text[pos + 1:]
num = float(numString)
print(num)
|
def IsPrime(num):
for i in range(2, num):
if num % i == 0:
return False
return True
fac = []
def solve(num):
i = 2
while i <= num:
if not IsPrime(i):
i += 1
continue
if num % i == 0:
fac.append(i)
num /= i
else:
i += 1
solve(600851475143)
print(fac[-1])
|
def is_prime(num):
for i in range(2, num):
if num % i == 0:
return False
return True
fac = []
def solve(num):
i = 2
while i <= num:
if not is_prime(i):
i += 1
continue
if num % i == 0:
fac.append(i)
num /= i
else:
i += 1
solve(600851475143)
print(fac[-1])
|
#!/usr/bin/env python
# -*- coding: utf-8 -*-
class TrackedObj(object):
def __init__(self, val):
self.val = val
def __str__(self):
return '[%s]' % self.val
class TrackField(TrackedObj):
pass
class TrackIndex(TrackedObj):
pass
class TrackVariant(TrackedObj):
pass
class Tracker(object):
def __init__(self):
self.cur = []
def push(self, obj):
self.cur.append(obj)
def push_field(self, obj):
self.push(TrackField(obj))
def push_index(self, obj):
self.push(TrackIndex(obj))
def push_variant(self, obj):
self.push(TrackVariant(obj))
def pop(self):
self.cur.pop()
def __str__(self):
return ''.join([str(x) for x in self.cur])
class ArchiveException(Exception):
def __init__(self, *args, **kwargs):
super().__init__(*args)
self.subexc = None if len(args) == 0 else args[0]
self.tracker = kwargs.get('tracker', None)
def __str__(self):
if self.subexc and isinstance(self.subexc, ArchiveException):
return super().__str__()
return '%s, path: %s' % (super().__str__(), self.tracker)
|
class Trackedobj(object):
def __init__(self, val):
self.val = val
def __str__(self):
return '[%s]' % self.val
class Trackfield(TrackedObj):
pass
class Trackindex(TrackedObj):
pass
class Trackvariant(TrackedObj):
pass
class Tracker(object):
def __init__(self):
self.cur = []
def push(self, obj):
self.cur.append(obj)
def push_field(self, obj):
self.push(track_field(obj))
def push_index(self, obj):
self.push(track_index(obj))
def push_variant(self, obj):
self.push(track_variant(obj))
def pop(self):
self.cur.pop()
def __str__(self):
return ''.join([str(x) for x in self.cur])
class Archiveexception(Exception):
def __init__(self, *args, **kwargs):
super().__init__(*args)
self.subexc = None if len(args) == 0 else args[0]
self.tracker = kwargs.get('tracker', None)
def __str__(self):
if self.subexc and isinstance(self.subexc, ArchiveException):
return super().__str__()
return '%s, path: %s' % (super().__str__(), self.tracker)
|
def standardize_text(df, question_field):
df[question_field] = df[question_field].str.replace(r"http\S+", "")
df[question_field] = df[question_field].str.replace(r"http", "")
df[question_field] = df[question_field].str.replace(r"@\S+", "")
df[question_field] = df[question_field].str.replace(
r"[^A-Za-z0-9(),!?@\'\`\"\_\n]", " "
)
df[question_field] = df[question_field].str.replace(r"@", "at")
df[question_field] = df[question_field].str.lower()
return df
def text_to_array(text):
empyt_emb = np.zeros(300)
text = text[:-1].split()[:30]
embeds = [embeddings_index.get(x, empyt_emb) for x in text]
embeds += [empyt_emb] * (30 - len(embeds))
return np.array(embeds)
def batch_gen(train_df):
n_batches = math.ceil(len(train_df) / batch_size)
while True:
train_df = train_df.sample(frac=1.0) # Shuffle the data.
for i in range(n_batches):
texts = train_df.iloc[i * batch_size : (i + 1) * batch_size, 1]
text_arr = np.array([text_to_array(text) for text in texts])
yield text_arr, np.array(
train_df["target"][i * batch_size : (i + 1) * batch_size]
)
|
def standardize_text(df, question_field):
df[question_field] = df[question_field].str.replace('http\\S+', '')
df[question_field] = df[question_field].str.replace('http', '')
df[question_field] = df[question_field].str.replace('@\\S+', '')
df[question_field] = df[question_field].str.replace('[^A-Za-z0-9(),!?@\\\'\\`\\"\\_\\n]', ' ')
df[question_field] = df[question_field].str.replace('@', 'at')
df[question_field] = df[question_field].str.lower()
return df
def text_to_array(text):
empyt_emb = np.zeros(300)
text = text[:-1].split()[:30]
embeds = [embeddings_index.get(x, empyt_emb) for x in text]
embeds += [empyt_emb] * (30 - len(embeds))
return np.array(embeds)
def batch_gen(train_df):
n_batches = math.ceil(len(train_df) / batch_size)
while True:
train_df = train_df.sample(frac=1.0)
for i in range(n_batches):
texts = train_df.iloc[i * batch_size:(i + 1) * batch_size, 1]
text_arr = np.array([text_to_array(text) for text in texts])
yield (text_arr, np.array(train_df['target'][i * batch_size:(i + 1) * batch_size]))
|
class Solution:
def countPairs(self, nums: List[int], k: int) -> int:
ans = 0
gcds = Counter()
for num in nums:
gcd_i = math.gcd(num, k)
for gcd_j, count in gcds.items():
if gcd_i * gcd_j % k == 0:
ans += count
gcds[gcd_i] += 1
return ans
|
class Solution:
def count_pairs(self, nums: List[int], k: int) -> int:
ans = 0
gcds = counter()
for num in nums:
gcd_i = math.gcd(num, k)
for (gcd_j, count) in gcds.items():
if gcd_i * gcd_j % k == 0:
ans += count
gcds[gcd_i] += 1
return ans
|
class WebDriverFactory:
def __init__(self):
self._drivers = {}
self._driver_options = {}
def register_web_driver(self, driver_type, web_driver, driver_options):
self._drivers[driver_type] = web_driver
self._driver_options[driver_type] = driver_options
def get_registered_web_drivers(self):
return self._drivers
def get_web_driver(self, driver_type, driver_path, user_defined_options=None):
driver_options_reference = self._driver_options[driver_type]
web_driver = self._drivers[driver_type]
if not web_driver:
raise NotImplemented(f'Unsupported type for browser {driver_type}.')
if not user_defined_options or not driver_options_reference:
return web_driver(driver_path)
driver_options = driver_options_reference()
if driver_type == 'EDGE':
driver_options.use_chromium = True
driver_options.add_argument(user_defined_options)
return web_driver(executable_path=driver_path, options=driver_options)
|
class Webdriverfactory:
def __init__(self):
self._drivers = {}
self._driver_options = {}
def register_web_driver(self, driver_type, web_driver, driver_options):
self._drivers[driver_type] = web_driver
self._driver_options[driver_type] = driver_options
def get_registered_web_drivers(self):
return self._drivers
def get_web_driver(self, driver_type, driver_path, user_defined_options=None):
driver_options_reference = self._driver_options[driver_type]
web_driver = self._drivers[driver_type]
if not web_driver:
raise not_implemented(f'Unsupported type for browser {driver_type}.')
if not user_defined_options or not driver_options_reference:
return web_driver(driver_path)
driver_options = driver_options_reference()
if driver_type == 'EDGE':
driver_options.use_chromium = True
driver_options.add_argument(user_defined_options)
return web_driver(executable_path=driver_path, options=driver_options)
|
class Image:
def __init__(self):
pass
# @classmethod
# def load(cls, path):
#
# raise NotImplementedError
|
class Image:
def __init__(self):
pass
|
'''
Just like a balloon without a ribbon, an object without a reference variable cannot be used later.
'''
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
Mobile(1000, "Apple")
#After the above line the Mobile
# object created is lost and unusable
|
"""
Just like a balloon without a ribbon, an object without a reference variable cannot be used later.
"""
class Mobile:
def __init__(self, price, brand):
self.price = price
self.brand = brand
mobile(1000, 'Apple')
|
expected_output = {
"slot": {
"rp0": {
"cpu": {
"0": {
"idle": 99.1,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.2,
"user": 0.7,
"waiting": 0.0
},
"1": {
"idle": 98.69,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.3,
"user": 1.0,
"waiting": 0.0
},
"10": {
"idle": 97.3,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.19,
"user": 2.49,
"waiting": 0.0
},
"11": {
"idle": 99.2,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.6,
"user": 0.2,
"waiting": 0.0
},
"12": {
"idle": 99.19,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.4,
"user": 0.3,
"waiting": 0.1
},
"13": {
"idle": 99.7,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.19,
"user": 0.09,
"waiting": 0.0
},
"14": {
"idle": 99.4,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.3,
"user": 0.3,
"waiting": 0.0
},
"15": {
"idle": 99.0,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.3,
"user": 0.7,
"waiting": 0.0
},
"2": {
"idle": 99.7,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.2,
"user": 0.1,
"waiting": 0.0
},
"3": {
"idle": 98.6,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.1,
"system": 0.1,
"user": 1.2,
"waiting": 0.0
},
"4": {
"idle": 98.39,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.4,
"user": 1.2,
"waiting": 0.0
},
"5": {
"idle": 98.9,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.69,
"user": 0.39,
"waiting": 0.0
},
"6": {
"idle": 99.0,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.5,
"user": 0.5,
"waiting": 0.0
},
"7": {
"idle": 99.3,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.5,
"user": 0.2,
"waiting": 0.0
},
"8": {
"idle": 98.9,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.49,
"user": 0.59,
"waiting": 0.0
},
"9": {
"idle": 98.1,
"irq": 0.0,
"nice_process": 0.0,
"sirq": 0.0,
"system": 0.4,
"user": 1.5,
"waiting": 0.0
}
},
"load_average": {
"15_min": 0.39,
"1_min": 0.66,
"5_min": 0.6,
"status": "unknown"
},
"memory": {
"committed": 11294396,
"committed_percentage": 35,
"free": 26573588,
"free_percentage": 82,
"status": "healthy",
"total": 32423072,
"used": 5849484,
"used_percentage": 18
}
}
}
}
|
expected_output = {'slot': {'rp0': {'cpu': {'0': {'idle': 99.1, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.2, 'user': 0.7, 'waiting': 0.0}, '1': {'idle': 98.69, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.3, 'user': 1.0, 'waiting': 0.0}, '10': {'idle': 97.3, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.19, 'user': 2.49, 'waiting': 0.0}, '11': {'idle': 99.2, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.6, 'user': 0.2, 'waiting': 0.0}, '12': {'idle': 99.19, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.4, 'user': 0.3, 'waiting': 0.1}, '13': {'idle': 99.7, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.19, 'user': 0.09, 'waiting': 0.0}, '14': {'idle': 99.4, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.3, 'user': 0.3, 'waiting': 0.0}, '15': {'idle': 99.0, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.3, 'user': 0.7, 'waiting': 0.0}, '2': {'idle': 99.7, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.2, 'user': 0.1, 'waiting': 0.0}, '3': {'idle': 98.6, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.1, 'system': 0.1, 'user': 1.2, 'waiting': 0.0}, '4': {'idle': 98.39, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.4, 'user': 1.2, 'waiting': 0.0}, '5': {'idle': 98.9, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.69, 'user': 0.39, 'waiting': 0.0}, '6': {'idle': 99.0, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.5, 'user': 0.5, 'waiting': 0.0}, '7': {'idle': 99.3, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.5, 'user': 0.2, 'waiting': 0.0}, '8': {'idle': 98.9, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.49, 'user': 0.59, 'waiting': 0.0}, '9': {'idle': 98.1, 'irq': 0.0, 'nice_process': 0.0, 'sirq': 0.0, 'system': 0.4, 'user': 1.5, 'waiting': 0.0}}, 'load_average': {'15_min': 0.39, '1_min': 0.66, '5_min': 0.6, 'status': 'unknown'}, 'memory': {'committed': 11294396, 'committed_percentage': 35, 'free': 26573588, 'free_percentage': 82, 'status': 'healthy', 'total': 32423072, 'used': 5849484, 'used_percentage': 18}}}}
|
# Create a program that receives two strings on a single line separated by a single space.
# Then, it prints the sum of their multiplied character codes as follows:
# multiply str1[0] with str2[0] and add the result to the total sum, then continue with the next two characters.
# If one of the strings is longer than the other, add the remaining character codes to the total sum without multiplication.
sum_of_multiplication = lambda x, y: sum([ord(x[i]) * ord(y[i]) for i in range(min(len(x),len(y)))])
def addition_of_remainder(x, y):
diff = abs(len(x) - len(y))
if len(x) > len(y):
return sum([ord(ch) for ch in x[-diff:]])
elif len (y) > len(x):
return sum([ord(ch) for ch in y[-diff:]])
else:
return 0
strings = input().split(' ')
output = sum_of_multiplication(strings[0], strings[1]) + addition_of_remainder(strings[0],strings[1])
print (output)
|
sum_of_multiplication = lambda x, y: sum([ord(x[i]) * ord(y[i]) for i in range(min(len(x), len(y)))])
def addition_of_remainder(x, y):
diff = abs(len(x) - len(y))
if len(x) > len(y):
return sum([ord(ch) for ch in x[-diff:]])
elif len(y) > len(x):
return sum([ord(ch) for ch in y[-diff:]])
else:
return 0
strings = input().split(' ')
output = sum_of_multiplication(strings[0], strings[1]) + addition_of_remainder(strings[0], strings[1])
print(output)
|
OPENERS = {'(', '{', '['}
CLOSER_MAP = {')': '(', '}': '{', ']': '['}
def solve(s: str) -> bool:
stack = []
for c in s:
if c in OPENERS:
stack.append(c)
elif len(stack) == 0 or stack.pop() != CLOSER_MAP[c]:
return False
return True if len(stack) == 0 else False
def main() -> None:
cases = [('()', True), ('([{}])', True), ('((([[)]))', False), ("([)]", False)]
for case in cases:
print("{} resulted in {}. Expected: {}".format(case, solve(case[0]), case[1]))
if __name__ == '__main__':
main()
|
openers = {'(', '{', '['}
closer_map = {')': '(', '}': '{', ']': '['}
def solve(s: str) -> bool:
stack = []
for c in s:
if c in OPENERS:
stack.append(c)
elif len(stack) == 0 or stack.pop() != CLOSER_MAP[c]:
return False
return True if len(stack) == 0 else False
def main() -> None:
cases = [('()', True), ('([{}])', True), ('((([[)]))', False), ('([)]', False)]
for case in cases:
print('{} resulted in {}. Expected: {}'.format(case, solve(case[0]), case[1]))
if __name__ == '__main__':
main()
|
'''
Task:
Your task is to write a function which returns the sum of following series upto nth term(parameter).
Series: 1 + 1/4 + 1/7 + 1/10 + 1/13 + 1/16 +...
Rules:
You need to round the answer to 2 decimal places and return it as String.
If the given value is 0 then it should return 0.00
You will only be given Natural Numbers as arguments.
Examples:
SeriesSum(1) => 1 = "1.00"
SeriesSum(2) => 1 + 1/4 = "1.25"
SeriesSum(5) => 1 + 1/4 + 1/7 + 1/10 + 1/13 = "1.57"
'''
def series_sum(n):
summation = 0; denominator = 1
for _ in range(n):
summation += 1 / denominator
denominator += 3
return str('{:.2f}'.format(summation))
|
"""
Task:
Your task is to write a function which returns the sum of following series upto nth term(parameter).
Series: 1 + 1/4 + 1/7 + 1/10 + 1/13 + 1/16 +...
Rules:
You need to round the answer to 2 decimal places and return it as String.
If the given value is 0 then it should return 0.00
You will only be given Natural Numbers as arguments.
Examples:
SeriesSum(1) => 1 = "1.00"
SeriesSum(2) => 1 + 1/4 = "1.25"
SeriesSum(5) => 1 + 1/4 + 1/7 + 1/10 + 1/13 = "1.57"
"""
def series_sum(n):
summation = 0
denominator = 1
for _ in range(n):
summation += 1 / denominator
denominator += 3
return str('{:.2f}'.format(summation))
|
def count_unique_values(arr):
# return 0 of the length of array is 0
# loop the array by the second element at index j
# compare the previous element at index i
arr_len = len(arr)
if arr_len == 0:
return 0
pre_index = 0
unique_arr = [arr[pre_index]]
for j in range(1, arr_len):
if arr[pre_index] != arr[j]:
unique_arr.append(arr[j])
pre_index = j
print(unique_arr)
return len(unique_arr)
print(count_unique_values([1, 1, 1, 1, 1, 2]))
print(count_unique_values([1, 2, 3, 4, 4, 4, 7, 7, 12, 12, 13]))
print(count_unique_values([]))
print(count_unique_values([-2, -1, -1, 0, 1]))
|
def count_unique_values(arr):
arr_len = len(arr)
if arr_len == 0:
return 0
pre_index = 0
unique_arr = [arr[pre_index]]
for j in range(1, arr_len):
if arr[pre_index] != arr[j]:
unique_arr.append(arr[j])
pre_index = j
print(unique_arr)
return len(unique_arr)
print(count_unique_values([1, 1, 1, 1, 1, 2]))
print(count_unique_values([1, 2, 3, 4, 4, 4, 7, 7, 12, 12, 13]))
print(count_unique_values([]))
print(count_unique_values([-2, -1, -1, 0, 1]))
|
#05_01_converter
class ScaleConverter:
def __init__(self, units_from, units_to, factor):
self.units_from = units_from
self.units_to = units_to
self.factor = factor
def description(self):
return 'Convert ' + self.units_from + ' to ' + self.units_to
def convert(self, value):
return value * self.factor
c1 = ScaleConverter('inches', 'mm', 25)
print(c1.description())
print('converting 2 inches')
print(str(c1.convert(2)) + c1.units_to)
|
class Scaleconverter:
def __init__(self, units_from, units_to, factor):
self.units_from = units_from
self.units_to = units_to
self.factor = factor
def description(self):
return 'Convert ' + self.units_from + ' to ' + self.units_to
def convert(self, value):
return value * self.factor
c1 = scale_converter('inches', 'mm', 25)
print(c1.description())
print('converting 2 inches')
print(str(c1.convert(2)) + c1.units_to)
|
#local storage
LOCAL="/home/pi/MTU-Timelapse-Pi"
#in minutes. 60 % interval must be 0
INTERVAL=5
#time between failed uploads
FAILTIME=5
#retry count
RETRYCOUNT=3
CMD="raspistill -o '/home/pi/MTU-Timelapse-Pi/cam/%s/%s-%s.jpg' -h 1080 -w 1920 --nopreview --timeout 1"
|
local = '/home/pi/MTU-Timelapse-Pi'
interval = 5
failtime = 5
retrycount = 3
cmd = "raspistill -o '/home/pi/MTU-Timelapse-Pi/cam/%s/%s-%s.jpg' -h 1080 -w 1920 --nopreview --timeout 1"
|
class line(object):
def __init__(self, _char, _row, _column, _dir, _length):
self.char = _char
self.row = _row
self.column = _column
self.dir = _dir
self.length = _length
return None
|
class Line(object):
def __init__(self, _char, _row, _column, _dir, _length):
self.char = _char
self.row = _row
self.column = _column
self.dir = _dir
self.length = _length
return None
|
A, B, C = map(int, input().split())
print((A+B)%C)
print((A%C+B%C)%C)
print((A*B)%C)
print(((A%C)*(B%C))%C)
|
(a, b, c) = map(int, input().split())
print((A + B) % C)
print((A % C + B % C) % C)
print(A * B % C)
print(A % C * (B % C) % C)
|
lst_1=[1,2,4,88]
lst_2=[1,3,4,95,120]
lst_3=[]
i=0
j=0
for k in range(len(lst_1)+len(lst_2)):
if (lst_1[i]<= (lst_2[j])):
lst_3.append(lst_1[i])
if (i>=len(lst_1)-1):
if j<=(len(lst_2)-1):
lst_3.append(lst_2[j])
if j<len(lst_2)-1:
j+=1
else:
break
else:
break
else:
i+=1
else:
if j<len(lst_2)-1:
lst_3.append(lst_2[j])
j+=1
else:
break
print(lst_3)
i = j = 0
for index in range(len(lst_1)):
if lst_1[i] == lst_2[j]:
lst_3.append([lst_1[i],lst_2[j]])
i = i + 1
j = j + 1
elif lst_1[i] > lst_2[j]:
lst_3.append(lst_2[j])
j= j + 1
elif lst_2[j] > lst_1[i]:
lst_3.append(lst_1[i])
i = i + 1
|
lst_1 = [1, 2, 4, 88]
lst_2 = [1, 3, 4, 95, 120]
lst_3 = []
i = 0
j = 0
for k in range(len(lst_1) + len(lst_2)):
if lst_1[i] <= lst_2[j]:
lst_3.append(lst_1[i])
if i >= len(lst_1) - 1:
if j <= len(lst_2) - 1:
lst_3.append(lst_2[j])
if j < len(lst_2) - 1:
j += 1
else:
break
else:
break
else:
i += 1
elif j < len(lst_2) - 1:
lst_3.append(lst_2[j])
j += 1
else:
break
print(lst_3)
i = j = 0
for index in range(len(lst_1)):
if lst_1[i] == lst_2[j]:
lst_3.append([lst_1[i], lst_2[j]])
i = i + 1
j = j + 1
elif lst_1[i] > lst_2[j]:
lst_3.append(lst_2[j])
j = j + 1
elif lst_2[j] > lst_1[i]:
lst_3.append(lst_1[i])
i = i + 1
|
__author__ = 'shukkkur'
'''
https://codeforces.com/problemset/problem/1475/B
B. New Year's Number
'''
t = int(input())
for _ in range(t):
n = int(input())
if n < 2020:
print('NO')
else:
if n % 2020 <= n / 2020:
print('YES')
else:
print('NO')
|
__author__ = 'shukkkur'
"\nhttps://codeforces.com/problemset/problem/1475/B\nB. New Year's Number\n"
t = int(input())
for _ in range(t):
n = int(input())
if n < 2020:
print('NO')
elif n % 2020 <= n / 2020:
print('YES')
else:
print('NO')
|
def caller():
a = []
for i in range(33, 49):
a.append(chr(i))
b = []
c = []
d = []
for i in range(65, 91):
b.append(chr(i))
for i in range(97, 123):
c.append(chr(i))
for i in range(48, 58):
d.append(chr(i))
return a, b, c, d
|
def caller():
a = []
for i in range(33, 49):
a.append(chr(i))
b = []
c = []
d = []
for i in range(65, 91):
b.append(chr(i))
for i in range(97, 123):
c.append(chr(i))
for i in range(48, 58):
d.append(chr(i))
return (a, b, c, d)
|
class Beacon():
def __init__(self, sprite, type):
self.sprite = sprite
self.type = type
'''
self.x = 0
self.y = 0
def set_pos(self, x, y):
self.x = x
self.y = y
'''
@property
def position(self):
return self.sprite.position
@position.setter
def position(self, val):
self.sprite.position = val
@property
def x(self):
return self.sprite.position[0]
@property
def y(self):
return self.sprite.position[1]
|
class Beacon:
def __init__(self, sprite, type):
self.sprite = sprite
self.type = type
'\n self.x = 0\n self.y = 0\n def set_pos(self, x, y):\n self.x = x\n self.y = y \n '
@property
def position(self):
return self.sprite.position
@position.setter
def position(self, val):
self.sprite.position = val
@property
def x(self):
return self.sprite.position[0]
@property
def y(self):
return self.sprite.position[1]
|
class Attribute:
NAME = 'Keyboard'
class KeyState:
LEFT_ARROW_DOWN = 'leftArrowDown'
RIGHT_ARROW_DOWN = 'rightArrowDown'
UP_ARROW_DOWN = 'upArrowDown'
DOWN_ARROW_DOWN = 'downArrowDown'
|
class Attribute:
name = 'Keyboard'
class Keystate:
left_arrow_down = 'leftArrowDown'
right_arrow_down = 'rightArrowDown'
up_arrow_down = 'upArrowDown'
down_arrow_down = 'downArrowDown'
|
#Hierarchical Inheritance
class A: #Super Class or Parent Class
def feature1(self):
print("Feature 1 Working")
def feature2(self):
print("Feature 2 Working")
class B(A): # Subclass or Child Class
def feature3(self):
print("Feature 3 Working")
def feature4(self):
print("Feature 4 Working")
class C(A): #GrandChild class
def feature5(self):
print("Feature 5 Working")
class D(A): #GrandChild class
def feature6(self):
print("Feature 6 Working")
b = B()
c = C()
d = D()
|
class A:
def feature1(self):
print('Feature 1 Working')
def feature2(self):
print('Feature 2 Working')
class B(A):
def feature3(self):
print('Feature 3 Working')
def feature4(self):
print('Feature 4 Working')
class C(A):
def feature5(self):
print('Feature 5 Working')
class D(A):
def feature6(self):
print('Feature 6 Working')
b = b()
c = c()
d = d()
|
def hurdleRace(k, height):
if k >= max(height):
return 0
else:
return max(height) - k
# test case
h = [1,3,4,5,2,5]
print(hurdleRace(3, h)) # Should be 2
print(hurdleRace(8, h)) # Should be 0
|
def hurdle_race(k, height):
if k >= max(height):
return 0
else:
return max(height) - k
h = [1, 3, 4, 5, 2, 5]
print(hurdle_race(3, h))
print(hurdle_race(8, h))
|
# try:
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Upload file.!!", "type": "Key Error", "link": "newArticle"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field image.!!", "type": "Value Error", "link": "newArticle"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newArticle"})
# class Meta:
# db_table = "person"
# verbose_name = "Person"
# get_latest_by = "id"
# ordering = ['id']
# class Meta:
# # db_table = "person"
# verbose_name = "Messages"
# validators=[MinLengthValidator(1), MaxLengthValidator(255)],
# class Meta:
# db_table = 'article'
# verbose_name = 'circle_article'
# def login(request):
# return render(request, "circle/home.html", context={})
# def logout(request):
# return render(request, "circle/home.html", context={})
MESSAGE_TAGS = {
messages.DEBUG: 'alert-secondary',
messages.INFO: 'alert-info',
messages.SUCCESS: 'alert-success',
messages.WARNING: 'alert-warning',
messages.ERROR: 'alert-danger',
}
def verification(request):
ph_no = 9316300064
request.session['ph_no'] = ph_no
otp = str(random.randint(100000, 999999))
cprint(otp, 'white')
connection = http.client.HTTPSConnection("api.msg91.com")
authkey = settings.authkey
code = 91
sender = "Marketplace Team"
# payload = "{\"Value1\":\"Param1\",\"Value2\":\"Param2\",\"Value3\":\"Param3\"}"
headers = {'content-type': "application/json"}
connection.request("GET", "http://control.msg91.com/api/sendotp.php", params={
"otp": otp, "mobile": ph_no, "sender": sender, "message": message, "country": code, "authkey": authkey, "otp_length": 6}, headers=headers)
res = connection.getresponse()
data = res.read()
print(data)
print(data.decode("utf-8"))
return render(request, "circle/test.html", context={"message": "OTP sent.!!"})
if request.GET:
return HttpResponseRedirect(reverse('newArticle', args=()))
else:
user_id = request.user.id
try:
title = str(request.POST.get("title"))
except KeyError:
return render(request, "circle/error.html", context={"message": "Enter title.!!", "type": "Key Error", "link": "newArticle"})
except ValueError:
return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newArticle"})
except TypeError:
return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newArticle"})
try:
description = str(request.POST.get('description'))
except KeyError:
return render(request, "circle/error.html", context={"message": "Enter description.!!", "type": "Key Error", "link": "newArticle"})
except ValueError:
return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newArticle"})
except TypeError:
return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newArticle"})
try:
price = float(request.POST.get('price'))
except KeyError:
return render(request, "circle/error.html", context={"message": "Enter price.!!", "type": "Key Error", "link": "newArticle"})
except ValueError:
return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newArticle"})
except TypeError:
return render(request, "circle/error.html", context={"message": "Incompatible Tag DataType.!!", "type": "Type Error", "link": "newArticle"})
# try:
# tags = request.POST.get('tags')
# if tags is not None:
# tags = list(tags)
# else:
# tags = []
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter title.!!", "type": "Key Error", "link": "newArticle"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newArticle"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newArticle"})
image = request.FILES['image']
article = Article.objects.create(title=title, description=description, image=image, price=price)
# cprint(article, 'red')
# pub_ts = article.pub_ts
# cprint(pub_ts, 'white')
# article.image = set_unique_name(article.image.url, pub_ts)
# cprint(article.image.url, 'blue')
# for tag in tags:
# article.tags.add(tag)
try:
person = Person.objects.filter(user_id=user_id).first()
person.display.add(article)
person.save()
return HttpResponseRedirect(reverse("article", args=(article.id, )))
except Person.DoesNotExist:
return render(request, "circle/error.html", context={"message": "No person found.!!", "type": "Data Error", "link": "newArticle"})
# if request.GET:
# return HttpResponseRedirect(reverse('newPerson', args=()))
# else:
# try:
# user = User.objects.get(pk=request.user.id)
# try:
# bio = str(request.POST.get("bio"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter a Bio.!!", "type": "Key Error", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# try:
# first = str(request.POST.get("first"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter a First Name.!!", "type": "Key Error", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# try:
# last = str(request.POST.get("last"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter a Last Name.!!", "type": "Key Error", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# try:
# age = int(request.POST.get("age"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter a Age!", "type": "Key Error.!!", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# try:
# sex = str(request.POST.get("sex"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Select gender from the options provided.!!", "type": "KeyError", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# sex = sex[0]
# try:
# email = str(request.POST.get("email"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter an e-mail address.!!", "type": "KeyError", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# try:
# ph_no = str(request.POST.get("ph_no"))
# except KeyError:
# return render(request, "circle/error.html", context={"message": "Enter an e-mail address.!!", "type": "KeyError", "link": "newPerson"})
# except ValueError:
# return render(request, "circle/error.html", context={"message": "Invalid Value to given field.!!", "type": "Value Error", "link": "newPerson"})
# except TypeError:
# return render(request, "circle/error.html", context={"message": "Incompatible DataType.!!", "type": "Type Error", "link": "newPerson"})
# username = email.split('@')[0]
# profile = request.FILES['profile']
# try:
# Person.objects.create(user=user, profile=profile, username=username, bio=bio, first=first, last=last, age=age, sex=sex, email=email, ph_no=ph_no)
# return HttpResponseRedirect(reverse('person', args=(person.id, )))
# except:
# return render(request, "circle/error.html", context={"message": "No person found.!!", "type": "Data Error", "link": "newPerson"})
# except User.DoesNotExist:
# return render(request, "circle/error.html", context={"message": "No user found.!!", "type": "Data Error", "link": "newPerson"})
|
message_tags = {messages.DEBUG: 'alert-secondary', messages.INFO: 'alert-info', messages.SUCCESS: 'alert-success', messages.WARNING: 'alert-warning', messages.ERROR: 'alert-danger'}
def verification(request):
ph_no = 9316300064
request.session['ph_no'] = ph_no
otp = str(random.randint(100000, 999999))
cprint(otp, 'white')
connection = http.client.HTTPSConnection('api.msg91.com')
authkey = settings.authkey
code = 91
sender = 'Marketplace Team'
headers = {'content-type': 'application/json'}
connection.request('GET', 'http://control.msg91.com/api/sendotp.php', params={'otp': otp, 'mobile': ph_no, 'sender': sender, 'message': message, 'country': code, 'authkey': authkey, 'otp_length': 6}, headers=headers)
res = connection.getresponse()
data = res.read()
print(data)
print(data.decode('utf-8'))
return render(request, 'circle/test.html', context={'message': 'OTP sent.!!'})
if request.GET:
return http_response_redirect(reverse('newArticle', args=()))
else:
user_id = request.user.id
try:
title = str(request.POST.get('title'))
except KeyError:
return render(request, 'circle/error.html', context={'message': 'Enter title.!!', 'type': 'Key Error', 'link': 'newArticle'})
except ValueError:
return render(request, 'circle/error.html', context={'message': 'Invalid Value to given field.!!', 'type': 'Value Error', 'link': 'newArticle'})
except TypeError:
return render(request, 'circle/error.html', context={'message': 'Incompatible DataType.!!', 'type': 'Type Error', 'link': 'newArticle'})
try:
description = str(request.POST.get('description'))
except KeyError:
return render(request, 'circle/error.html', context={'message': 'Enter description.!!', 'type': 'Key Error', 'link': 'newArticle'})
except ValueError:
return render(request, 'circle/error.html', context={'message': 'Invalid Value to given field.!!', 'type': 'Value Error', 'link': 'newArticle'})
except TypeError:
return render(request, 'circle/error.html', context={'message': 'Incompatible DataType.!!', 'type': 'Type Error', 'link': 'newArticle'})
try:
price = float(request.POST.get('price'))
except KeyError:
return render(request, 'circle/error.html', context={'message': 'Enter price.!!', 'type': 'Key Error', 'link': 'newArticle'})
except ValueError:
return render(request, 'circle/error.html', context={'message': 'Invalid Value to given field.!!', 'type': 'Value Error', 'link': 'newArticle'})
except TypeError:
return render(request, 'circle/error.html', context={'message': 'Incompatible Tag DataType.!!', 'type': 'Type Error', 'link': 'newArticle'})
image = request.FILES['image']
article = Article.objects.create(title=title, description=description, image=image, price=price)
try:
person = Person.objects.filter(user_id=user_id).first()
person.display.add(article)
person.save()
return http_response_redirect(reverse('article', args=(article.id,)))
except Person.DoesNotExist:
return render(request, 'circle/error.html', context={'message': 'No person found.!!', 'type': 'Data Error', 'link': 'newArticle'})
|
class Solution:
def isPalindrome(self, s: str) -> bool:
string2 = ""
for character in s.lower():
if character.isalnum():
string2 += character
if string2 == string2[::-1]:
return True
return False
|
class Solution:
def is_palindrome(self, s: str) -> bool:
string2 = ''
for character in s.lower():
if character.isalnum():
string2 += character
if string2 == string2[::-1]:
return True
return False
|
squares = [value ** 2 for value in range(1, 11)]
print(squares)
cubes = [value ** 3 for value in range(1, 11)]
print(cubes)
a_million = list(range(1, 1_000_0001))
print(min(a_million))
print(max(a_million))
print(sum(a_million))
|
squares = [value ** 2 for value in range(1, 11)]
print(squares)
cubes = [value ** 3 for value in range(1, 11)]
print(cubes)
a_million = list(range(1, 10000001))
print(min(a_million))
print(max(a_million))
print(sum(a_million))
|
class Restaurant:
def __init__(self, restaurant_name, cuisine_type):
self.restaurant_name = restaurant_name
self.cuisine_type = cuisine_type
self.number_serverd = 0
def describe_restaurant(self):
print(f'Welcome to {self.restaurant_name.title()}')
print(f'Our cousine type is: {self.cuisine_type.title()}')
def open_restaurant(self):
print(f'The {self.restaurant_name.title()} is OPEN')
def set_number_server(self, number):
self.number_serverd = number
def increment_number_served(self, number):
self.number_serverd += number
print(f'Customers: {self.number_serverd}')
def show_number_serverd(self):
print(f'{self.number_serverd}')
restaurant = Restaurant('Don Lucho', 'burguer')
restaurant.increment_number_served(100)
restaurant.increment_number_served(200)
restaurant.increment_number_served(500)
|
class Restaurant:
def __init__(self, restaurant_name, cuisine_type):
self.restaurant_name = restaurant_name
self.cuisine_type = cuisine_type
self.number_serverd = 0
def describe_restaurant(self):
print(f'Welcome to {self.restaurant_name.title()}')
print(f'Our cousine type is: {self.cuisine_type.title()}')
def open_restaurant(self):
print(f'The {self.restaurant_name.title()} is OPEN')
def set_number_server(self, number):
self.number_serverd = number
def increment_number_served(self, number):
self.number_serverd += number
print(f'Customers: {self.number_serverd}')
def show_number_serverd(self):
print(f'{self.number_serverd}')
restaurant = restaurant('Don Lucho', 'burguer')
restaurant.increment_number_served(100)
restaurant.increment_number_served(200)
restaurant.increment_number_served(500)
|
mtx = []
while True:
n = str(input())
if n == 'end':
break
mtx.append([int(s) for s in n.split()])
out_mtx = [[0 for j in range(len(mtx[i]))] for i in range(len(mtx))]
for i in range(len(mtx)):
for j in range(len(mtx[i])):
ylen = len(mtx)
xlen = len(mtx[0])
out_mtx[i][j]=int(mtx[i-1][j]) + int(mtx[(i+1)%ylen][j]) + int(mtx[i][j-1]) + int(mtx[i][(j+1)%xlen])
for i in range(ylen):
for j in range(xlen):
print(out_mtx[i][j], end = ' ')
print()
|
mtx = []
while True:
n = str(input())
if n == 'end':
break
mtx.append([int(s) for s in n.split()])
out_mtx = [[0 for j in range(len(mtx[i]))] for i in range(len(mtx))]
for i in range(len(mtx)):
for j in range(len(mtx[i])):
ylen = len(mtx)
xlen = len(mtx[0])
out_mtx[i][j] = int(mtx[i - 1][j]) + int(mtx[(i + 1) % ylen][j]) + int(mtx[i][j - 1]) + int(mtx[i][(j + 1) % xlen])
for i in range(ylen):
for j in range(xlen):
print(out_mtx[i][j], end=' ')
print()
|
# https://leetcode.com/problems/check-array-formation-through-concatenation/
class Solution:
def canFormArray(self, arr: List[int], pieces: List[List[int]]) -> bool:
result = []
for j in arr:
for i in pieces:
if i[0] == j:
for m in range(len(i)):
result.append(i[m])
if result == arr:
return True
else:
return False
|
class Solution:
def can_form_array(self, arr: List[int], pieces: List[List[int]]) -> bool:
result = []
for j in arr:
for i in pieces:
if i[0] == j:
for m in range(len(i)):
result.append(i[m])
if result == arr:
return True
else:
return False
|
a = 10
b = 3
print('Add -', a + b)
print('Subtract -', a - b)
print('Multiply -', a * b)
print('Divide (with floating point) -', a / b)
print('Divide (ignoring floats) -', a // b)
# With interactive python
# >>> 10 / 3
# 3.3333333333333335
# >>> 10.0 / 3
# 3.3333333333333335
# >>> 10 // 3
# 3
# >>> 10 // 3.0
# 3.0
print('Remainder or Modulus -', a % b)
print('a raised to power b -', a ** b)
# Augmented assignment operator or enhanced assignment operator
# Increment
a += b # Means, a = a + b
print('a incremented by b -', a);
# Decrement
a -= b
print('a decremented by b -', a)
# Multiply, Divide (floating point & integer), Modulo
a *= b
print(a)
a /= b
print(a)
a //= b
print(a)
a %= b
print(a)
|
a = 10
b = 3
print('Add -', a + b)
print('Subtract -', a - b)
print('Multiply -', a * b)
print('Divide (with floating point) -', a / b)
print('Divide (ignoring floats) -', a // b)
print('Remainder or Modulus -', a % b)
print('a raised to power b -', a ** b)
a += b
print('a incremented by b -', a)
a -= b
print('a decremented by b -', a)
a *= b
print(a)
a /= b
print(a)
a //= b
print(a)
a %= b
print(a)
|
class IrregualrConfigParser(object):
COMMENT_FLAGS = ("#", ";")
def __init__(self):
super(IrregualrConfigParser, self).__init__()
self.__content = []
def read(self, fn_or_fp):
content = []
if isinstance(fn_or_fp, file):
content = [line.strip() for line in fn_or_fp.xreadlines()]
else:
with open(fn_or_fp, "r") as fp:
content = [line.strip() for line in fp.xreadlines()]
self.__content = self.parse_content(content)
def write(self, fp):
for line in self.__content:
if line is None:
fp.write("\n")
continue
section = line.get("section", None)
comment = line.get("comment", None)
option = line.get("option", None)
value = line.get("value", None)
if comment:
fp.write(comment + "\n")
continue
elif section and option is None:
fp.write("[{0}]\n".format(section))
continue
elif option and value is not None:
fp.write("{0}={1}\n".format(option, value))
elif not section and not option:
continue
else:
fp.write(option + "\n")
def parse_content(self, content):
def _is_blank(line):
return not line
def _is_comment(line):
return line[0] in self.COMMENT_FLAGS
def _is_section(line):
return line[0] == '[' and line[-1] == ']'
def _is_option(line):
return "=" in line
def _parse_content():
section = None
for line in content:
if _is_blank(line):
yield None
continue
if _is_comment(line):
yield {"comment": line}
continue
if _is_section(line):
section = line[1:-1]
yield {"section": section}
continue
if _is_option(line):
option, value = [i.strip() for i in line.split("=", 1)]
yield {"option": option, "value": value, "section": section}
else:
yield {"option": line, "section": section}
return list(_parse_content()) if content else []
def __get_option(self, section, option):
for ln, line in enumerate(self.__content):
if not line:
continue
section_name = line.get("section", None)
option_name = line.get("option", None)
if section_name == section and option_name == option:
return ln, line
return -1, None
def __get_section(self, section):
for ln, line in enumerate(self.__content):
if not line:
continue
section_name = line.get("section", None)
if section_name == section:
return ln, line
return -1, None
def has_section(self, section):
ln, _ = self.__get_section(section)
return ln != -1
def has_option(self, section, option):
ln, _ = self.__get_option(section, option)
return ln != -1
def __add_section(self, section):
line = {"section": section}
self.__content.append(line)
return len(self.__content) - 1, line
def add_section(self, section):
ln, _ = self.__add_section(section)
return ln != -1
def get(self, section, option):
_, option_line = self.__get_option(section, option)
if not option_line:
return None
else:
return option_line.get("value", None)
def set(self, section, option, value=None):
_, option_line = self.__get_option(section, option)
if option_line:
if value is None:
option_line.pop('value', None)
else:
option_line['value'] = value
return True
ln, _ = self.__get_section(section)
if ln == -1:
ln, _ = self.__add_section(section)
if value is None:
line = {"option": option, "section": section}
else:
line = {"option": option, "value": value, "section": section}
self.__content.insert(ln + 1, line)
return True
|
class Irregualrconfigparser(object):
comment_flags = ('#', ';')
def __init__(self):
super(IrregualrConfigParser, self).__init__()
self.__content = []
def read(self, fn_or_fp):
content = []
if isinstance(fn_or_fp, file):
content = [line.strip() for line in fn_or_fp.xreadlines()]
else:
with open(fn_or_fp, 'r') as fp:
content = [line.strip() for line in fp.xreadlines()]
self.__content = self.parse_content(content)
def write(self, fp):
for line in self.__content:
if line is None:
fp.write('\n')
continue
section = line.get('section', None)
comment = line.get('comment', None)
option = line.get('option', None)
value = line.get('value', None)
if comment:
fp.write(comment + '\n')
continue
elif section and option is None:
fp.write('[{0}]\n'.format(section))
continue
elif option and value is not None:
fp.write('{0}={1}\n'.format(option, value))
elif not section and (not option):
continue
else:
fp.write(option + '\n')
def parse_content(self, content):
def _is_blank(line):
return not line
def _is_comment(line):
return line[0] in self.COMMENT_FLAGS
def _is_section(line):
return line[0] == '[' and line[-1] == ']'
def _is_option(line):
return '=' in line
def _parse_content():
section = None
for line in content:
if _is_blank(line):
yield None
continue
if _is_comment(line):
yield {'comment': line}
continue
if _is_section(line):
section = line[1:-1]
yield {'section': section}
continue
if _is_option(line):
(option, value) = [i.strip() for i in line.split('=', 1)]
yield {'option': option, 'value': value, 'section': section}
else:
yield {'option': line, 'section': section}
return list(_parse_content()) if content else []
def __get_option(self, section, option):
for (ln, line) in enumerate(self.__content):
if not line:
continue
section_name = line.get('section', None)
option_name = line.get('option', None)
if section_name == section and option_name == option:
return (ln, line)
return (-1, None)
def __get_section(self, section):
for (ln, line) in enumerate(self.__content):
if not line:
continue
section_name = line.get('section', None)
if section_name == section:
return (ln, line)
return (-1, None)
def has_section(self, section):
(ln, _) = self.__get_section(section)
return ln != -1
def has_option(self, section, option):
(ln, _) = self.__get_option(section, option)
return ln != -1
def __add_section(self, section):
line = {'section': section}
self.__content.append(line)
return (len(self.__content) - 1, line)
def add_section(self, section):
(ln, _) = self.__add_section(section)
return ln != -1
def get(self, section, option):
(_, option_line) = self.__get_option(section, option)
if not option_line:
return None
else:
return option_line.get('value', None)
def set(self, section, option, value=None):
(_, option_line) = self.__get_option(section, option)
if option_line:
if value is None:
option_line.pop('value', None)
else:
option_line['value'] = value
return True
(ln, _) = self.__get_section(section)
if ln == -1:
(ln, _) = self.__add_section(section)
if value is None:
line = {'option': option, 'section': section}
else:
line = {'option': option, 'value': value, 'section': section}
self.__content.insert(ln + 1, line)
return True
|
def readConstants(constants_list):
constants = []
for attribute, value in constants_list.items():
constants.append({"name": attribute, "cname": "c_" + attribute, "value": value})
return constants
def readClocks(clocks_lists):
clocks = {"par": [], "seq": []}
for attribute, value in clocks_lists["par_time"].items():
clocks["par"].append({
"name": attribute,
"cname": "cp_" + attribute,
"start_str": value[0],
"cname_start_f": "start_cp_" + attribute,
"end_str": value[1],
"cname_end_f": "end_cp_" + attribute,
"cname_size_f": "size_cp_" + attribute,
})
for attribute, value in clocks_lists["seq_time"].items():
clocks["seq"].append({
"name": attribute,
"cname": "cs_" + attribute,
"start_str": value[0],
"cname_start_f": "start_cs_" + attribute,
"end_str": value[1],
"cname_end_f": "end_cs_" + attribute,
"cname_size_f": "size_cs_" + attribute,
})
return clocks
def readCubeNests(cube_nests_json):
cube_nests = []
for attribute, value in cube_nests_json.items():
cube_list = []
for clock_attr, clock_val in value.items():
cube_list.append({
"clock_mask": clock_val["clock_mask"],
"name": clock_attr,
"depth": clock_val["depth"],
"x_dim_str": clock_val["x-dim"], # array with [0] = min , [1] = max, [?2] = grid_alignment_clock
"y_dim_str": clock_val["y-dim"], # array with [0] = min , [1] = max, [?2] = grid_alignment_clock
"z_dim_str": clock_val["z-dim"], # array with [0] = min , [1] = max, [?2] = grid_alignment_clock
"cname_x_dim_start_f": "x_dim_start_" + attribute + "_" + clock_attr,
"cname_y_dim_start_f": "y_dim_start_" + attribute + "_" + clock_attr,
"cname_z_dim_start_f": "z_dim_start_" + attribute + "_" + clock_attr,
"cname_x_dim_end_f": "x_dim_end_" + attribute + "_" + clock_attr,
"cname_y_dim_end_f": "y_dim_end_" + attribute + "_" + clock_attr,
"cname_z_dim_end_f": "z_dim_end_" + attribute + "_" + clock_attr,
"cname_x_dim_jump_f": "x_dim_jump_" + attribute + "_" + clock_attr,
"cname_y_dim_jump_f": "y_dim_jump_" + attribute + "_" + clock_attr,
"cname_z_dim_jump_f": "z_dim_jump_" + attribute + "_" + clock_attr,
"cname_x_dim_size_f": "x_dim_size_" + attribute + "_" + clock_attr,
"cname_y_dim_size_f": "y_dim_size_" + attribute + "_" + clock_attr,
"cname_z_dim_size_f": "z_dim_size_" + attribute + "_" + clock_attr,
"cname_x_dim_jump_offset_f": "x_dim_jump_offset_" + attribute + "_" + clock_attr,
"cname_y_dim_jump_offset_f": "y_dim_jump_offset_" + attribute + "_" + clock_attr,
"cname_z_dim_jump_offset_f": "z_dim_jump_offset_" + attribute + "_" + clock_attr
})
cube_nests.append({
"name": attribute,
"cubes": cube_list,
})
return cube_nests
|
def read_constants(constants_list):
constants = []
for (attribute, value) in constants_list.items():
constants.append({'name': attribute, 'cname': 'c_' + attribute, 'value': value})
return constants
def read_clocks(clocks_lists):
clocks = {'par': [], 'seq': []}
for (attribute, value) in clocks_lists['par_time'].items():
clocks['par'].append({'name': attribute, 'cname': 'cp_' + attribute, 'start_str': value[0], 'cname_start_f': 'start_cp_' + attribute, 'end_str': value[1], 'cname_end_f': 'end_cp_' + attribute, 'cname_size_f': 'size_cp_' + attribute})
for (attribute, value) in clocks_lists['seq_time'].items():
clocks['seq'].append({'name': attribute, 'cname': 'cs_' + attribute, 'start_str': value[0], 'cname_start_f': 'start_cs_' + attribute, 'end_str': value[1], 'cname_end_f': 'end_cs_' + attribute, 'cname_size_f': 'size_cs_' + attribute})
return clocks
def read_cube_nests(cube_nests_json):
cube_nests = []
for (attribute, value) in cube_nests_json.items():
cube_list = []
for (clock_attr, clock_val) in value.items():
cube_list.append({'clock_mask': clock_val['clock_mask'], 'name': clock_attr, 'depth': clock_val['depth'], 'x_dim_str': clock_val['x-dim'], 'y_dim_str': clock_val['y-dim'], 'z_dim_str': clock_val['z-dim'], 'cname_x_dim_start_f': 'x_dim_start_' + attribute + '_' + clock_attr, 'cname_y_dim_start_f': 'y_dim_start_' + attribute + '_' + clock_attr, 'cname_z_dim_start_f': 'z_dim_start_' + attribute + '_' + clock_attr, 'cname_x_dim_end_f': 'x_dim_end_' + attribute + '_' + clock_attr, 'cname_y_dim_end_f': 'y_dim_end_' + attribute + '_' + clock_attr, 'cname_z_dim_end_f': 'z_dim_end_' + attribute + '_' + clock_attr, 'cname_x_dim_jump_f': 'x_dim_jump_' + attribute + '_' + clock_attr, 'cname_y_dim_jump_f': 'y_dim_jump_' + attribute + '_' + clock_attr, 'cname_z_dim_jump_f': 'z_dim_jump_' + attribute + '_' + clock_attr, 'cname_x_dim_size_f': 'x_dim_size_' + attribute + '_' + clock_attr, 'cname_y_dim_size_f': 'y_dim_size_' + attribute + '_' + clock_attr, 'cname_z_dim_size_f': 'z_dim_size_' + attribute + '_' + clock_attr, 'cname_x_dim_jump_offset_f': 'x_dim_jump_offset_' + attribute + '_' + clock_attr, 'cname_y_dim_jump_offset_f': 'y_dim_jump_offset_' + attribute + '_' + clock_attr, 'cname_z_dim_jump_offset_f': 'z_dim_jump_offset_' + attribute + '_' + clock_attr})
cube_nests.append({'name': attribute, 'cubes': cube_list})
return cube_nests
|
def main() -> None:
N = int(input())
S = []
T = []
for _ in range(N):
S.append(input())
for _ in range(N):
T.append(input())
assert 1 <= N <= 100
assert all(len(S_i) == N for S_i in S)
assert all(len(T_i) == N for T_i in S)
assert all(S_ij in ('.', '#') for S_i in S for S_ij in S_i)
assert all(T_ij in ('.', '#') for T_i in T for T_ij in T_i)
assert any(S_ij == '#' for S_i in S for S_ij in S_i)
assert any(T_ij == '#' for T_i in T for T_ij in T_i)
if __name__ == '__main__':
main()
|
def main() -> None:
n = int(input())
s = []
t = []
for _ in range(N):
S.append(input())
for _ in range(N):
T.append(input())
assert 1 <= N <= 100
assert all((len(S_i) == N for s_i in S))
assert all((len(T_i) == N for t_i in S))
assert all((S_ij in ('.', '#') for s_i in S for s_ij in S_i))
assert all((T_ij in ('.', '#') for t_i in T for t_ij in T_i))
assert any((S_ij == '#' for s_i in S for s_ij in S_i))
assert any((T_ij == '#' for t_i in T for t_ij in T_i))
if __name__ == '__main__':
main()
|
def fib(n):
if n == 1:
return 1
return n + fib(n-1)
def main():
n = 0
m = 1
result = 0
while n < 4000000:
tmp = n
n = n + m
m = tmp
if n % 2 == 0:
result += n
# print(n, n % 2)
# print(n, result)
print("Problem 2:", result)
|
def fib(n):
if n == 1:
return 1
return n + fib(n - 1)
def main():
n = 0
m = 1
result = 0
while n < 4000000:
tmp = n
n = n + m
m = tmp
if n % 2 == 0:
result += n
print('Problem 2:', result)
|
# file path (load_data.py, main.py, and compute_relation_vectors.py)
_SOURCE_DATA = '../data/source.csv'
_TARGET_DATA = '../data/target.csv'
_RESULT_FILE = '../results/results.csv'
_MEAN_RELATION = '../results/relation_vectors_before.csv'
_MODIFIED_MEAN_RELATINON = '../results/relation_vectors_after.csv'
_COUNT_RELATINON = '../results/count_ver_relation_vectors.csv'
# the number of labels
_SOURCE_DIM_NUM=9
_TARGET_DIM_NUM=2
# for learning
_FOLD_NUM = 10
_SORUCE_LATENT_TRAIN = True
_TARGET_LATENT_TRAIN = True
_DROPOUT_RATE = 0.01
_L2_REGULARIZE_RATE = 0.00001
# for setting models (models.py and main.py)
_BATCH_SIZE=32
_OUT_DIM=188
# epoch (main.py)
_SOURCE_EPOCH_NUM=5
_TARGET_EPOCH_NUM=5
# for compute_relation_vectors.py
_ITERATION = 1000
_SAMPLING = 100
_EPS=1.0e-10
# method flag (main.py, and compute_relation_vectors.py))
_SCRATCH=0
_CONV_TRANSFER=1
_COUNT_ATDL=2
_MEAN_ATDL=3
_MODIFIED_MEAN_ATDL=4
|
_source_data = '../data/source.csv'
_target_data = '../data/target.csv'
_result_file = '../results/results.csv'
_mean_relation = '../results/relation_vectors_before.csv'
_modified_mean_relatinon = '../results/relation_vectors_after.csv'
_count_relatinon = '../results/count_ver_relation_vectors.csv'
_source_dim_num = 9
_target_dim_num = 2
_fold_num = 10
_soruce_latent_train = True
_target_latent_train = True
_dropout_rate = 0.01
_l2_regularize_rate = 1e-05
_batch_size = 32
_out_dim = 188
_source_epoch_num = 5
_target_epoch_num = 5
_iteration = 1000
_sampling = 100
_eps = 1e-10
_scratch = 0
_conv_transfer = 1
_count_atdl = 2
_mean_atdl = 3
_modified_mean_atdl = 4
|
class Instruction:
def __init__(self, name):
if not(name in dir(self)):
raise Exception("Instruction not exists")
self.name = name
def execute(self, cpu, a, b, c):
func = getattr(self,self.name)
func(cpu, a, b, c)
def addr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] + cpu[b]
def addi(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] + b
def mulr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] * cpu[b]
def muli(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] * b
def banr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] & cpu[b]
def bani(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] & b
def borr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] | cpu[b]
def bori(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a] | b
def setr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = cpu[a]
def seti(self, cpu, a, b, c):
if not(self.checkRegister(c)): return False
cpu[c] = a
def gtir(self, cpu, a, b, c):
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if a > cpu[b] else 0
def gtri(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if cpu[a] > b else 0
def gtrr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if cpu[a] > cpu[b] else 0
def eqir(self, cpu, a, b, c):
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if a == cpu[b] else 0
def eqri(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if cpu[a] == b else 0
def eqrr(self, cpu, a, b, c):
if not(self.checkRegister(a)): return False
if not(self.checkRegister(b)): return False
if not(self.checkRegister(c)): return False
cpu[c] = 1 if cpu[a] == cpu[b] else 0
def checkRegister(self, x):
return x >= 0 and x < 4
instructions = [Instruction(x) for x in dir(Instruction) if x[0]!="_" and not(x in ["checkRegister", "execute"])]
print([i.name for i in instructions])
instructionsMap = [set() for x in instructions]
counter = 0
program = list()
with open("input.txt", "r") as file:
line = file.readline()
while line != "":
if line.startswith("Before"):
print(line, end="")
registersBefore = list([int(x) for x in line[9:-2].split(",")])
line = file.readline()
print(line, end="")
op = list([int(x) for x in line.split(" ")])
line = file.readline()
print(line, end="")
registersAfter = list([int(x) for x in line[9:-2].split(",")])
possibleInstructions = list()
for instruction in instructions:
cpu = list(registersBefore)
if instruction.execute(cpu, op[1], op[2], op[3]) != False and cpu == registersAfter:
possibleInstructions.append(instruction)
print([i.name for i in possibleInstructions])
if len(possibleInstructions) >= 3:
counter+=1
if len(instructionsMap[op[0]]) == 0:
instructionsMap[op[0]] = set(possibleInstructions)
else:
instructionsMap[op[0]] & set(possibleInstructions)
elif line.strip() != "":
program.append(list([int(x) for x in line.split(" ")]))
line = file.readline()
print(str(counter)+" behaves like 3 or more")
for opCode, possibleInstructions in enumerate(instructionsMap):
print("Opcode: "+str(opCode)+" - "+str([i.name for i in possibleInstructions]))
finalMap = [None for x in instructions]
wasChange = True
while wasChange:
wasChange = False
for opCode, possibleInstructions in enumerate(instructionsMap):
if len(possibleInstructions) == 1:
wasChange = True
toRemove = list(possibleInstructions)[0]
finalMap[opCode] = toRemove
for iSet in instructionsMap:
iSet.discard(toRemove)
break;
for opCode, instruction in enumerate(finalMap):
print("Opcode: "+str(opCode)+" - "+str(instruction.name if instruction != None else "None"))
print("Executing program")
cpu = [0, 0, 0, 0]
for op in program:
print(op)
finalMap[op[0]].execute(cpu, op[1], op[2], op[3])
print("Cpu state: "+str(cpu))
|
class Instruction:
def __init__(self, name):
if not name in dir(self):
raise exception('Instruction not exists')
self.name = name
def execute(self, cpu, a, b, c):
func = getattr(self, self.name)
func(cpu, a, b, c)
def addr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] + cpu[b]
def addi(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] + b
def mulr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] * cpu[b]
def muli(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] * b
def banr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] & cpu[b]
def bani(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] & b
def borr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] | cpu[b]
def bori(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a] | b
def setr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = cpu[a]
def seti(self, cpu, a, b, c):
if not self.checkRegister(c):
return False
cpu[c] = a
def gtir(self, cpu, a, b, c):
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if a > cpu[b] else 0
def gtri(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if cpu[a] > b else 0
def gtrr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if cpu[a] > cpu[b] else 0
def eqir(self, cpu, a, b, c):
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if a == cpu[b] else 0
def eqri(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if cpu[a] == b else 0
def eqrr(self, cpu, a, b, c):
if not self.checkRegister(a):
return False
if not self.checkRegister(b):
return False
if not self.checkRegister(c):
return False
cpu[c] = 1 if cpu[a] == cpu[b] else 0
def check_register(self, x):
return x >= 0 and x < 4
instructions = [instruction(x) for x in dir(Instruction) if x[0] != '_' and (not x in ['checkRegister', 'execute'])]
print([i.name for i in instructions])
instructions_map = [set() for x in instructions]
counter = 0
program = list()
with open('input.txt', 'r') as file:
line = file.readline()
while line != '':
if line.startswith('Before'):
print(line, end='')
registers_before = list([int(x) for x in line[9:-2].split(',')])
line = file.readline()
print(line, end='')
op = list([int(x) for x in line.split(' ')])
line = file.readline()
print(line, end='')
registers_after = list([int(x) for x in line[9:-2].split(',')])
possible_instructions = list()
for instruction in instructions:
cpu = list(registersBefore)
if instruction.execute(cpu, op[1], op[2], op[3]) != False and cpu == registersAfter:
possibleInstructions.append(instruction)
print([i.name for i in possibleInstructions])
if len(possibleInstructions) >= 3:
counter += 1
if len(instructionsMap[op[0]]) == 0:
instructionsMap[op[0]] = set(possibleInstructions)
else:
instructionsMap[op[0]] & set(possibleInstructions)
elif line.strip() != '':
program.append(list([int(x) for x in line.split(' ')]))
line = file.readline()
print(str(counter) + ' behaves like 3 or more')
for (op_code, possible_instructions) in enumerate(instructionsMap):
print('Opcode: ' + str(opCode) + ' - ' + str([i.name for i in possibleInstructions]))
final_map = [None for x in instructions]
was_change = True
while wasChange:
was_change = False
for (op_code, possible_instructions) in enumerate(instructionsMap):
if len(possibleInstructions) == 1:
was_change = True
to_remove = list(possibleInstructions)[0]
finalMap[opCode] = toRemove
for i_set in instructionsMap:
iSet.discard(toRemove)
break
for (op_code, instruction) in enumerate(finalMap):
print('Opcode: ' + str(opCode) + ' - ' + str(instruction.name if instruction != None else 'None'))
print('Executing program')
cpu = [0, 0, 0, 0]
for op in program:
print(op)
finalMap[op[0]].execute(cpu, op[1], op[2], op[3])
print('Cpu state: ' + str(cpu))
|
'''
modifier: 02
eqtime: 10
'''
def main():
info("Jan Air Sniff Pipette x1")
gosub('jan:WaitForMiniboneAccess')
gosub('jan:PrepareForAirShot')
gosub('jan:EvacPipette2')
gosub('common:FillPipette2')
gosub('jan:PrepareForAirShotExpansion')
close(name="M", description="Microbone to Getter NP-10H")
sleep(duration=2.0)
gosub('common:SniffPipette2')
|
"""
modifier: 02
eqtime: 10
"""
def main():
info('Jan Air Sniff Pipette x1')
gosub('jan:WaitForMiniboneAccess')
gosub('jan:PrepareForAirShot')
gosub('jan:EvacPipette2')
gosub('common:FillPipette2')
gosub('jan:PrepareForAirShotExpansion')
close(name='M', description='Microbone to Getter NP-10H')
sleep(duration=2.0)
gosub('common:SniffPipette2')
|
class Verdict:
OK = 'OK'
WA = 'WA'
RE = 'RE'
CE = 'CE'
TL = 'TL'
ML = 'ML'
FAIL = 'FAIL'
NR = 'NR'
|
class Verdict:
ok = 'OK'
wa = 'WA'
re = 'RE'
ce = 'CE'
tl = 'TL'
ml = 'ML'
fail = 'FAIL'
nr = 'NR'
|
# 2014.10.20 12:29:04 CEST
typew = {'AROMATIC': 3.0,
'DOUBLE': 2.0,
'TRIPLE': 3.0,
'SINGLE': 1.0}
heterow = {False: 2,
True: 1}
missingfragmentpenalty = 10.0
mims = {'H': 1.0078250321,
'He': 3.016029,
'Li': 6.015122,
'Be': 9.012182,
'B': 10.012937,
'C': 12.000000,
'N': 14.0030740052,
'O': 15.9949146221,
'F': 18.9984032,
'Ne': 19.992440,
'Na': 22.9897692809,
'Mg': 23.985042,
'Al': 26.981538,
'Si': 27.976927,
'P': 30.97376151,
'S': 31.97207069,
'Cl': 34.96885271,
'Ar': 35.967546,
'K': 38.96370668,
'Ca': 39.962591,
'Sc': 44.955910,
'Ti': 45.952629,
'V': 49.947163,
'Cr': 49.946050,
'Mn': 54.938050,
'Fe': 53.939615,
'Co': 58.933200,
'Ni': 57.935348,
'Cu': 62.929601,
'Zn': 63.929147,
'Ga': 68.925581,
'Ge': 69.924250,
'As': 74.921596,
'Se': 73.922477,
'Br': 78.9183376,
'Kr': 77.920386,
'Rb': 84.911789,
'Sr': 83.913425,
'Y': 88.905848,
'Zr': 89.904704,
'Nb': 92.906378,
'Mo': 91.906810,
'Tc': 97.907216,
'Ru': 95.907598,
'Rh': 102.905504,
'Pd': 101.905608,
'Ag': 106.905093,
'Cd': 105.906458,
'In': 112.904061,
'Sn': 111.904821,
'Sb': 120.903818,
'Te': 119.904020,
'I': 126.904468,
'Xe': 123.905896,
'Cs': 132.905447,
'Ba': 129.906310,
'La': 137.907107,
'Ce': 135.907144,
'Pr': 140.907648,
'Nd': 141.907719,
'Pm': 144.912744,
'Sm': 143.911995,
'Eu': 150.919846,
'Gd': 151.919788,
'Tb': 158.925343,
'Dy': 155.924278,
'Ho': 164.930319,
'Er': 161.928775,
'Tm': 168.934211,
'Yb': 167.933894,
'Lu': 174.940768,
'Hf': 173.940040,
'Ta': 179.947466,
'W': 179.946706,
'Re': 184.952956,
'Os': 183.952491,
'Ir': 190.960591,
'Pt': 189.959930,
'Au': 196.966552,
'Hg': 195.965815,
'Tl': 202.972329,
'Pb': 203.973029,
'Bi': 208.980383}
Hmass = mims['H']
elmass = 0.0005486
ionmasses = {1: {'+H': mims['H'],
'+NH4': mims['N'] + 4 * mims['H'],
'+Na': mims['Na'],
'-OH': -(mims['O'] + mims['H']),
'+K': mims['K']},
-1: {'-H': -mims['H'],
'+Cl': mims['Cl']}}
|
typew = {'AROMATIC': 3.0, 'DOUBLE': 2.0, 'TRIPLE': 3.0, 'SINGLE': 1.0}
heterow = {False: 2, True: 1}
missingfragmentpenalty = 10.0
mims = {'H': 1.0078250321, 'He': 3.016029, 'Li': 6.015122, 'Be': 9.012182, 'B': 10.012937, 'C': 12.0, 'N': 14.0030740052, 'O': 15.9949146221, 'F': 18.9984032, 'Ne': 19.99244, 'Na': 22.9897692809, 'Mg': 23.985042, 'Al': 26.981538, 'Si': 27.976927, 'P': 30.97376151, 'S': 31.97207069, 'Cl': 34.96885271, 'Ar': 35.967546, 'K': 38.96370668, 'Ca': 39.962591, 'Sc': 44.95591, 'Ti': 45.952629, 'V': 49.947163, 'Cr': 49.94605, 'Mn': 54.93805, 'Fe': 53.939615, 'Co': 58.9332, 'Ni': 57.935348, 'Cu': 62.929601, 'Zn': 63.929147, 'Ga': 68.925581, 'Ge': 69.92425, 'As': 74.921596, 'Se': 73.922477, 'Br': 78.9183376, 'Kr': 77.920386, 'Rb': 84.911789, 'Sr': 83.913425, 'Y': 88.905848, 'Zr': 89.904704, 'Nb': 92.906378, 'Mo': 91.90681, 'Tc': 97.907216, 'Ru': 95.907598, 'Rh': 102.905504, 'Pd': 101.905608, 'Ag': 106.905093, 'Cd': 105.906458, 'In': 112.904061, 'Sn': 111.904821, 'Sb': 120.903818, 'Te': 119.90402, 'I': 126.904468, 'Xe': 123.905896, 'Cs': 132.905447, 'Ba': 129.90631, 'La': 137.907107, 'Ce': 135.907144, 'Pr': 140.907648, 'Nd': 141.907719, 'Pm': 144.912744, 'Sm': 143.911995, 'Eu': 150.919846, 'Gd': 151.919788, 'Tb': 158.925343, 'Dy': 155.924278, 'Ho': 164.930319, 'Er': 161.928775, 'Tm': 168.934211, 'Yb': 167.933894, 'Lu': 174.940768, 'Hf': 173.94004, 'Ta': 179.947466, 'W': 179.946706, 'Re': 184.952956, 'Os': 183.952491, 'Ir': 190.960591, 'Pt': 189.95993, 'Au': 196.966552, 'Hg': 195.965815, 'Tl': 202.972329, 'Pb': 203.973029, 'Bi': 208.980383}
hmass = mims['H']
elmass = 0.0005486
ionmasses = {1: {'+H': mims['H'], '+NH4': mims['N'] + 4 * mims['H'], '+Na': mims['Na'], '-OH': -(mims['O'] + mims['H']), '+K': mims['K']}, -1: {'-H': -mims['H'], '+Cl': mims['Cl']}}
|
for i in range(1, 101):
name = str(i)
name = name + ".txt"
print(name)
print(type(name))
arq = open(name, "w")
arq.close();
|
for i in range(1, 101):
name = str(i)
name = name + '.txt'
print(name)
print(type(name))
arq = open(name, 'w')
arq.close()
|
def post_to_dict(post):
data = {}
data["owner_username"] = post.owner_username
data["owner_id"] = post.owner_id
data["post_date"] = post.date_utc
data["post_caption"] = post.caption
data["tagged_users"] = post.tagged_users
data["caption_mentions"] = post.caption_mentions
data["is_video"] = post.is_video
data["video_view_count"] = post.video_view_count
data["video_duration"] = post.video_duration
data["likes"] = post.likes
data["comments"] = post.comments
data["post_url"] = "https://www.instagram.com/p/"+post.shortcode
data["hashtags_caption"] = post.caption_hashtags
return data
|
def post_to_dict(post):
data = {}
data['owner_username'] = post.owner_username
data['owner_id'] = post.owner_id
data['post_date'] = post.date_utc
data['post_caption'] = post.caption
data['tagged_users'] = post.tagged_users
data['caption_mentions'] = post.caption_mentions
data['is_video'] = post.is_video
data['video_view_count'] = post.video_view_count
data['video_duration'] = post.video_duration
data['likes'] = post.likes
data['comments'] = post.comments
data['post_url'] = 'https://www.instagram.com/p/' + post.shortcode
data['hashtags_caption'] = post.caption_hashtags
return data
|
class Solution:
def equationsPossible(self, equations: List[str]) -> bool:
parent = {}
def findParent(x):
if x not in parent:
parent[x] = x
else:
while parent[x] != x:
parent[x] = parent[parent[x]]
x = parent[x]
return x
for eq in equations:
if eq[1] == '=':
x, y = eq[0], eq[3]
px = findParent(x)
py = findParent(y)
parent[px] = py
for eq in equations:
if eq[1] == '!':
x, y = eq[0], eq[3]
px = findParent(x)
py = findParent(y)
if px == py:
return False
return True
|
class Solution:
def equations_possible(self, equations: List[str]) -> bool:
parent = {}
def find_parent(x):
if x not in parent:
parent[x] = x
else:
while parent[x] != x:
parent[x] = parent[parent[x]]
x = parent[x]
return x
for eq in equations:
if eq[1] == '=':
(x, y) = (eq[0], eq[3])
px = find_parent(x)
py = find_parent(y)
parent[px] = py
for eq in equations:
if eq[1] == '!':
(x, y) = (eq[0], eq[3])
px = find_parent(x)
py = find_parent(y)
if px == py:
return False
return True
|
def new_decorator(func):
def wrapper_func():
print('code before executing func')
func()
print('func() has been called')
return wrapper_func
@new_decorator
def func_needs_decorator():
print('this function is in need of decorator!')
# func_needs_decorator()
# before adding @new_decorator
# decorator = new_decorator(func_needs_decorator)
# print(decorator)
# decorator()
# after adding @new_decorator
func_needs_decorator()
|
def new_decorator(func):
def wrapper_func():
print('code before executing func')
func()
print('func() has been called')
return wrapper_func
@new_decorator
def func_needs_decorator():
print('this function is in need of decorator!')
func_needs_decorator()
|
class Stats:
def min(dataset):
value = dataset[0]
for data in dataset:
if data < value:
value = data
return value
def max(dataset):
value = dataset[0]
for data in dataset:
if data > value:
value = data
return value
def range(dataset):
return Stats.max(dataset) - Stats.min(dataset)
def mean(dataset):
total = 0
terms = 0
for value in dataset:
total += value
terms += 1
return float(total) / float(terms)
def variance(dataset):
terms = 0
total = 0.0
for value in dataset:
total += (value - Stats.mean(dataset))**(2)
terms += 1
return float(total) / float(terms)
def standard_deviation(dataset):
return Stats.variance(dataset)**(1.0/2.0)
def median(dataset):
dataset.sort()
if len(dataset) % 2 == 0:
value_1 = dataset[int(len(dataset) / 2)]
value_2 = dataset[int(len(dataset) / 2 - 1)]
return (float(value_1) + float(value_2)) / 2
else:
return dataset[int(len(dataset) / 2)]
def mode(dataset):
dataset.sort()
occurences = {}
tracker = 0
while tracker < len(dataset):
if f'{dataset[tracker]}' not in occurences.keys():
occurences[f'{dataset[tracker]}'] = 1
else:
occurences[f'{dataset[tracker]}'] += 1
tracker += 1
greatest = -100000000000
for key in occurences.keys():
if occurences[key] > greatest:
greatest = occurences[key]
greatest_list = []
for key in occurences.keys():
if occurences[key] == greatest:
greatest_list.append(key)
return greatest_list
|
class Stats:
def min(dataset):
value = dataset[0]
for data in dataset:
if data < value:
value = data
return value
def max(dataset):
value = dataset[0]
for data in dataset:
if data > value:
value = data
return value
def range(dataset):
return Stats.max(dataset) - Stats.min(dataset)
def mean(dataset):
total = 0
terms = 0
for value in dataset:
total += value
terms += 1
return float(total) / float(terms)
def variance(dataset):
terms = 0
total = 0.0
for value in dataset:
total += (value - Stats.mean(dataset)) ** 2
terms += 1
return float(total) / float(terms)
def standard_deviation(dataset):
return Stats.variance(dataset) ** (1.0 / 2.0)
def median(dataset):
dataset.sort()
if len(dataset) % 2 == 0:
value_1 = dataset[int(len(dataset) / 2)]
value_2 = dataset[int(len(dataset) / 2 - 1)]
return (float(value_1) + float(value_2)) / 2
else:
return dataset[int(len(dataset) / 2)]
def mode(dataset):
dataset.sort()
occurences = {}
tracker = 0
while tracker < len(dataset):
if f'{dataset[tracker]}' not in occurences.keys():
occurences[f'{dataset[tracker]}'] = 1
else:
occurences[f'{dataset[tracker]}'] += 1
tracker += 1
greatest = -100000000000
for key in occurences.keys():
if occurences[key] > greatest:
greatest = occurences[key]
greatest_list = []
for key in occurences.keys():
if occurences[key] == greatest:
greatest_list.append(key)
return greatest_list
|
########
# PART 1
# on python 3.7+ can just call pow(base, exp, mod), no need to implement anything!
def modexp(base, exp, mod):
''' mod exp by repeated squaring '''
res = 1
cur = base
while (exp > 0):
if (exp % 2 == 1):
res = (res * cur) % mod
exp = exp >> 1
cur = (cur * cur) % mod
return res
# To continue, please consult the code grid in the manual. Enter the code at row 2981, column 3075.
row, col = (2981, 3075)
firstcode = 20151125
base = 252533
mod = 33554393
diag = row + col - 1
exp = diag * (diag - 1) // 2 + col - 1
answer = modexp(base, exp, mod) * firstcode % mod
print("Part 1 =", answer)
assert answer == 9132360 # check with accepted answer
|
def modexp(base, exp, mod):
""" mod exp by repeated squaring """
res = 1
cur = base
while exp > 0:
if exp % 2 == 1:
res = res * cur % mod
exp = exp >> 1
cur = cur * cur % mod
return res
(row, col) = (2981, 3075)
firstcode = 20151125
base = 252533
mod = 33554393
diag = row + col - 1
exp = diag * (diag - 1) // 2 + col - 1
answer = modexp(base, exp, mod) * firstcode % mod
print('Part 1 =', answer)
assert answer == 9132360
|
# swap it to get solution
fin = open("pic.png", "rb")
fout = open("../public/file.bin", "wb")
data = fin.read()[::-1]
result = bytearray()
for byte in data:
high = byte >> 4
low = byte & 0xF
rbyte = (low << 4) + high
result.append(rbyte)
fout.write(result)
fout.close()
|
fin = open('pic.png', 'rb')
fout = open('../public/file.bin', 'wb')
data = fin.read()[::-1]
result = bytearray()
for byte in data:
high = byte >> 4
low = byte & 15
rbyte = (low << 4) + high
result.append(rbyte)
fout.write(result)
fout.close()
|
WTF_CSRF_ENABLED = True
SECRET_KEY = 'you-will-never-guess'
projects = {}
|
wtf_csrf_enabled = True
secret_key = 'you-will-never-guess'
projects = {}
|
# some specific relevant fields
timestamp_field = 'requestInTs'
service_call_fields = ["clientMemberClass", "clientMemberCode", "clientXRoadInstance", "clientSubsystemCode", "serviceCode",
"serviceVersion", "serviceMemberClass", "serviceMemberCode", "serviceXRoadInstance",
"serviceSubsystemCode"]
# Fields to query from the database
# 'relevant_cols_general' are fields that are present on the top level
relevant_cols_general = ["_id", 'totalDuration', 'producerDurationProducerView', 'requestNwDuration', 'responseNwDuration',
'correctorStatus']
# 'relevant_cols_nested' are fields that are nested inside 'client' and 'producer'.
# If 'client' is present, values for these fields will be taken from there, otherwise from 'producer'.
relevant_cols_nested = service_call_fields + ["succeeded", "messageId", timestamp_field]
# 'relevant_cols_general_alternative' are fields that are present on the top level, but exist for both client and producer.
# The value will be taken from the field assigned in the second position in the triplet if it exists,
# otherwise from the third field. The first value in the triplet is the name that will be used.
# Example: metric 'requestSize' will be assigned value from database field 'clientRequestSize' if it exists,
# otherwise from the database field 'producerRequestSize'.
relevant_cols_general_alternative = [('requestSize', 'clientRequestSize', 'producerRequestSize'),
('responseSize', 'clientResponseSize', 'producerResponseSize')]
# some possible aggregation windows
hour_aggregation_time_window = {'agg_window_name': 'hour', 'agg_minutes': 60, 'pd_timeunit': 'h'}
day_aggregation_time_window = {'agg_window_name': 'day', 'agg_minutes': 1440, 'pd_timeunit': 'd'}
# for historic averages model, we also need to determine which are the "similar" periods
hour_weekday_similarity_time_window = {'timeunit_name': 'hour_weekday', 'agg_window': hour_aggregation_time_window,
'similar_periods': ['hour', 'weekday']}
weekday_similarity_time_window = {'timeunit_name': 'weekday', 'agg_window': day_aggregation_time_window,
'similar_periods': ['weekday']}
hour_monthday_similarity_time_window = {'timeunit_name': 'hour_monthday', 'agg_window': hour_aggregation_time_window,
'similar_periods': ['hour', 'day']}
monthday_similarity_time_window = {'timeunit_name': 'monthday', 'agg_window': day_aggregation_time_window,
'similar_periods': ['day']}
# which windows are actually used
time_windows = {"failed_request_ratio": hour_aggregation_time_window,
"duplicate_message_ids": day_aggregation_time_window,
"time_sync_errors": hour_aggregation_time_window}
historic_averages_time_windows = [(hour_weekday_similarity_time_window, "update"),
(weekday_similarity_time_window, "update")]
# set the relevant fields (metrics) that will be monitored, aggregation functions to apply
# and their anomaly confidence thresholds for the historic averages model
historic_averages_thresholds = {'request_count': 0.95,
'mean_request_size': 0.95,
'mean_response_size': 0.95,
'mean_client_duration': 0.95,
'mean_producer_duration': 0.95}
# set the relevant fields for monitoring time sync anomalies, and the respective minimum value threshold
time_sync_monitored_lower_thresholds = {'requestNwDuration': -1000,
'responseNwDuration': -1000}
# set the ratio of allowed failed requests per time window
failed_request_ratio_threshold = 0.9
corrector_buffer_time = 14400 # minutes
incident_expiration_time = 14400 # minutes
training_period_time = 3 # months
|
timestamp_field = 'requestInTs'
service_call_fields = ['clientMemberClass', 'clientMemberCode', 'clientXRoadInstance', 'clientSubsystemCode', 'serviceCode', 'serviceVersion', 'serviceMemberClass', 'serviceMemberCode', 'serviceXRoadInstance', 'serviceSubsystemCode']
relevant_cols_general = ['_id', 'totalDuration', 'producerDurationProducerView', 'requestNwDuration', 'responseNwDuration', 'correctorStatus']
relevant_cols_nested = service_call_fields + ['succeeded', 'messageId', timestamp_field]
relevant_cols_general_alternative = [('requestSize', 'clientRequestSize', 'producerRequestSize'), ('responseSize', 'clientResponseSize', 'producerResponseSize')]
hour_aggregation_time_window = {'agg_window_name': 'hour', 'agg_minutes': 60, 'pd_timeunit': 'h'}
day_aggregation_time_window = {'agg_window_name': 'day', 'agg_minutes': 1440, 'pd_timeunit': 'd'}
hour_weekday_similarity_time_window = {'timeunit_name': 'hour_weekday', 'agg_window': hour_aggregation_time_window, 'similar_periods': ['hour', 'weekday']}
weekday_similarity_time_window = {'timeunit_name': 'weekday', 'agg_window': day_aggregation_time_window, 'similar_periods': ['weekday']}
hour_monthday_similarity_time_window = {'timeunit_name': 'hour_monthday', 'agg_window': hour_aggregation_time_window, 'similar_periods': ['hour', 'day']}
monthday_similarity_time_window = {'timeunit_name': 'monthday', 'agg_window': day_aggregation_time_window, 'similar_periods': ['day']}
time_windows = {'failed_request_ratio': hour_aggregation_time_window, 'duplicate_message_ids': day_aggregation_time_window, 'time_sync_errors': hour_aggregation_time_window}
historic_averages_time_windows = [(hour_weekday_similarity_time_window, 'update'), (weekday_similarity_time_window, 'update')]
historic_averages_thresholds = {'request_count': 0.95, 'mean_request_size': 0.95, 'mean_response_size': 0.95, 'mean_client_duration': 0.95, 'mean_producer_duration': 0.95}
time_sync_monitored_lower_thresholds = {'requestNwDuration': -1000, 'responseNwDuration': -1000}
failed_request_ratio_threshold = 0.9
corrector_buffer_time = 14400
incident_expiration_time = 14400
training_period_time = 3
|
n, k = map(int, input().split())
graph = []
printInfo = []
for i in range(n):
graph.append([])
for i in range(k):
oper, u, v = input().split()
u = int(u) - 1
v = int(v) - 1
if oper == '+':
graph[u] += [v]
graph[v] += [u]
if oper == '?':
if not(graph[u] and graph[v]):
printInfo += ['?']
elif set(graph[u]) & set(graph[v]):
printInfo += ['+']
else:
printInfo += ['-']
for info in printInfo:
print(info)
|
(n, k) = map(int, input().split())
graph = []
print_info = []
for i in range(n):
graph.append([])
for i in range(k):
(oper, u, v) = input().split()
u = int(u) - 1
v = int(v) - 1
if oper == '+':
graph[u] += [v]
graph[v] += [u]
if oper == '?':
if not (graph[u] and graph[v]):
print_info += ['?']
elif set(graph[u]) & set(graph[v]):
print_info += ['+']
else:
print_info += ['-']
for info in printInfo:
print(info)
|
# A colection of key value pairs
# Keys need to be a string
my_dict = {'name':'john', 'age':27, 'gender':'male', 'subs': ['Eng', 'Math', 'Sci'], 'marks':(58, 79,63)}
print(my_dict['name'])
print(my_dict['age'])
my_dict['age'] += 3
print(my_dict['age'])
print(my_dict['subs'])
print(my_dict['marks'])
print(my_dict['subs'][1],end='--')
print(my_dict['marks'][1])
# Other ways to make a dictionary
d = {}
d['key1'] = 'value1'
d['key2'] = 'value2'
print(d)
# Dictionary nested inside a dictionary nested inside a dictionary
d = {'key1':{'nestkey':{'subnestkey':'value'}}}
print(d['key1']['nestkey']['subnestkey'])
# DIctionary methods
d = {'key1':1, 'key2':2}
print(d.keys())
print(d.values())
print(d.items())
|
my_dict = {'name': 'john', 'age': 27, 'gender': 'male', 'subs': ['Eng', 'Math', 'Sci'], 'marks': (58, 79, 63)}
print(my_dict['name'])
print(my_dict['age'])
my_dict['age'] += 3
print(my_dict['age'])
print(my_dict['subs'])
print(my_dict['marks'])
print(my_dict['subs'][1], end='--')
print(my_dict['marks'][1])
d = {}
d['key1'] = 'value1'
d['key2'] = 'value2'
print(d)
d = {'key1': {'nestkey': {'subnestkey': 'value'}}}
print(d['key1']['nestkey']['subnestkey'])
d = {'key1': 1, 'key2': 2}
print(d.keys())
print(d.values())
print(d.items())
|
simulation_parameters = {
'temperature', 'integrator', 'collisions_rate', 'integration_timestep',
'initial_velocities_to_temperature', 'constraint_tolerance', 'platform', 'cuda_precision'
}
def is_simulation_dict(dictionary):
keys=set(dictionary.keys())
output = (keys <= simulation_parameters)
return output
|
simulation_parameters = {'temperature', 'integrator', 'collisions_rate', 'integration_timestep', 'initial_velocities_to_temperature', 'constraint_tolerance', 'platform', 'cuda_precision'}
def is_simulation_dict(dictionary):
keys = set(dictionary.keys())
output = keys <= simulation_parameters
return output
|
# AUTOGENERATED BY NBDEV! DO NOT EDIT!
__all__ = ["index", "modules", "custom_doc_links", "git_url"]
index = {"triee": "00_core.ipynb",
"cov": "01_oval_clean.ipynb",
"numpts": "01_oval_clean.ipynb",
"Points": "01_oval_clean.ipynb",
"vlen": "01_oval_clean.ipynb",
"major": "01_oval_clean.ipynb",
"minor": "01_oval_clean.ipynb",
"x_vec": "01_oval_clean.ipynb",
"dot": "01_oval_clean.ipynb",
"ang": "01_oval_clean.ipynb",
"rat": "01_oval_clean.ipynb",
"major_length": "01_oval_clean.ipynb",
"minor_length": "01_oval_clean.ipynb",
"transform_x": "01_oval_clean.ipynb",
"transform_y": "01_oval_clean.ipynb",
"cos": "01_oval_clean.ipynb",
"sin": "01_oval_clean.ipynb",
"theta": "01_oval_clean.ipynb",
"x": "01_oval_clean.ipynb",
"y": "01_oval_clean.ipynb",
"x_oval": "01_oval_clean.ipynb",
"y_oval": "01_oval_clean.ipynb",
"Points_map": "01_oval_clean.ipynb",
"boundary": "01_oval_clean.ipynb",
"xx": "01_oval_clean.ipynb",
"y1": "01_oval_clean.ipynb",
"y2": "01_oval_clean.ipynb",
"layer_init": "02_NN.ipynb",
"linear": "02_NN.ipynb",
"fetch": "03_NN_numpy.ipynb",
"mnist": "03_NN_numpy.ipynb",
"kaiming_uniform": "03_NN_numpy.ipynb",
"kaiming_normal": "03_NN_numpy.ipynb",
"stat": "03_NN_numpy.ipynb",
"Linear": "03_NN_numpy.ipynb",
"MSELoss": "03_NN_numpy.ipynb",
"NNL": "03_NN_numpy.ipynb",
"CELoss": "03_NN_numpy.ipynb",
"SGD": "03_NN_numpy.ipynb",
"Adam": "03_NN_numpy.ipynb",
"Sequential": "03_NN_numpy.ipynb",
"Conv": "03_NN_numpy.ipynb",
"naive": "03_NN_numpy.ipynb",
"Conv_dump": "03_NN_numpy.ipynb",
"Flatten": "03_NN_numpy.ipynb",
"people": "04_DNAA.ipynb",
"data": "04_DNAA.ipynb",
"frags": "04_DNAA.ipynb",
"checkppl": "04_DNAA.ipynb"}
modules = ["core.py",
"to_submit.py",
"nn.py",
"nnsig.py",
"dnaa.py"]
doc_url = "https://Kelvinthedrugger.github.io/HWs/"
git_url = "https://github.com/Kelvinthedrugger/HWs/tree/master/"
def custom_doc_links(name): return None
|
__all__ = ['index', 'modules', 'custom_doc_links', 'git_url']
index = {'triee': '00_core.ipynb', 'cov': '01_oval_clean.ipynb', 'numpts': '01_oval_clean.ipynb', 'Points': '01_oval_clean.ipynb', 'vlen': '01_oval_clean.ipynb', 'major': '01_oval_clean.ipynb', 'minor': '01_oval_clean.ipynb', 'x_vec': '01_oval_clean.ipynb', 'dot': '01_oval_clean.ipynb', 'ang': '01_oval_clean.ipynb', 'rat': '01_oval_clean.ipynb', 'major_length': '01_oval_clean.ipynb', 'minor_length': '01_oval_clean.ipynb', 'transform_x': '01_oval_clean.ipynb', 'transform_y': '01_oval_clean.ipynb', 'cos': '01_oval_clean.ipynb', 'sin': '01_oval_clean.ipynb', 'theta': '01_oval_clean.ipynb', 'x': '01_oval_clean.ipynb', 'y': '01_oval_clean.ipynb', 'x_oval': '01_oval_clean.ipynb', 'y_oval': '01_oval_clean.ipynb', 'Points_map': '01_oval_clean.ipynb', 'boundary': '01_oval_clean.ipynb', 'xx': '01_oval_clean.ipynb', 'y1': '01_oval_clean.ipynb', 'y2': '01_oval_clean.ipynb', 'layer_init': '02_NN.ipynb', 'linear': '02_NN.ipynb', 'fetch': '03_NN_numpy.ipynb', 'mnist': '03_NN_numpy.ipynb', 'kaiming_uniform': '03_NN_numpy.ipynb', 'kaiming_normal': '03_NN_numpy.ipynb', 'stat': '03_NN_numpy.ipynb', 'Linear': '03_NN_numpy.ipynb', 'MSELoss': '03_NN_numpy.ipynb', 'NNL': '03_NN_numpy.ipynb', 'CELoss': '03_NN_numpy.ipynb', 'SGD': '03_NN_numpy.ipynb', 'Adam': '03_NN_numpy.ipynb', 'Sequential': '03_NN_numpy.ipynb', 'Conv': '03_NN_numpy.ipynb', 'naive': '03_NN_numpy.ipynb', 'Conv_dump': '03_NN_numpy.ipynb', 'Flatten': '03_NN_numpy.ipynb', 'people': '04_DNAA.ipynb', 'data': '04_DNAA.ipynb', 'frags': '04_DNAA.ipynb', 'checkppl': '04_DNAA.ipynb'}
modules = ['core.py', 'to_submit.py', 'nn.py', 'nnsig.py', 'dnaa.py']
doc_url = 'https://Kelvinthedrugger.github.io/HWs/'
git_url = 'https://github.com/Kelvinthedrugger/HWs/tree/master/'
def custom_doc_links(name):
return None
|
def findMinHeightTrees(n, edges):
'''
:param n: int
:param edges: List[List[int]]
:return: List[int]
'''
# create n empty set object
tree = [set() for _ in range(n)]
# u as vertex, v denotes neighbor vertices
# set add method ensure no repeat neighbor vertices
for u, v in edges:
tree[u].add(v), tree[v].add(u)
# q and nq are list
# q save leaf node
# nq is empty
q, nq = [x for x in range(n) if len(tree[x]) < 2], []
while True:
for x in q:
# check y in tree[x]
for y in tree[x]:
# delete x in tree[y]
tree[y].remove(x)
if len(tree[y]) == 1:
nq.append(y)
# when nq is empty, quit the loop
if not nq:
break
nq, q = [], nq
return q
# test
n = 6
edges = [[0, 3], [1, 3], [2, 3], [4, 3], [5, 4]]
print(findMinHeightTrees(n, edges))
|
def find_min_height_trees(n, edges):
"""
:param n: int
:param edges: List[List[int]]
:return: List[int]
"""
tree = [set() for _ in range(n)]
for (u, v) in edges:
(tree[u].add(v), tree[v].add(u))
(q, nq) = ([x for x in range(n) if len(tree[x]) < 2], [])
while True:
for x in q:
for y in tree[x]:
tree[y].remove(x)
if len(tree[y]) == 1:
nq.append(y)
if not nq:
break
(nq, q) = ([], nq)
return q
n = 6
edges = [[0, 3], [1, 3], [2, 3], [4, 3], [5, 4]]
print(find_min_height_trees(n, edges))
|
def solution(number):
sum = 0
for x in range(1,number):
if x % 3 == 0:
sum +=x
elif x % 5 == 0:
sum +=x
elif x % 3 and x % 5 == 0:
continue
return sum
|
def solution(number):
sum = 0
for x in range(1, number):
if x % 3 == 0:
sum += x
elif x % 5 == 0:
sum += x
elif x % 3 and x % 5 == 0:
continue
return sum
|
class AbstractCrawler:
def __init__(self, num, init):
self.num = num
self.init = init
def crawl(self, es, client, process):
raise NotImplementedError("This should be implemented.")
|
class Abstractcrawler:
def __init__(self, num, init):
self.num = num
self.init = init
def crawl(self, es, client, process):
raise not_implemented_error('This should be implemented.')
|
height = int(input())
for i in range(1, height + 1):
value = 3 * height - i - 1
for j in range(1,i+1):
if(i == height):
print(height + j - 1,end=" ")
elif(j == 1):
print(i,end=" ")
elif(j == i):
print(value,end=" ")
else:
print(end=" ")
print()
# Sample Input :- 5
# Output :-
# 1
# 2 12
# 3 11
# 4 10
# 5 6 7 8 9
|
height = int(input())
for i in range(1, height + 1):
value = 3 * height - i - 1
for j in range(1, i + 1):
if i == height:
print(height + j - 1, end=' ')
elif j == 1:
print(i, end=' ')
elif j == i:
print(value, end=' ')
else:
print(end=' ')
print()
|
x = 5
print(type(x));
x = "6"
print(type(x))
x = 5.0
print(type(x))
x = 3.45
print(type(x))
|
x = 5
print(type(x))
x = '6'
print(type(x))
x = 5.0
print(type(x))
x = 3.45
print(type(x))
|
class PythonApiException(Exception):
pass
class RepositoryException(PythonApiException):
pass
|
class Pythonapiexception(Exception):
pass
class Repositoryexception(PythonApiException):
pass
|
e = 10e-6
for b in range(10, 100):
for a in range(10, b):
r = a / b
a1 = a % 10
a10 = (a // 10) % 10
b1 = b % 10
b10 = (b // 10) % 10
if a1 == b1 and a1 != 0 and b1 != 0:
c = a10
d = b10
elif a1 == b10:
c = a10
d = b1
elif a10 == b1:
c = a1
d = b10
elif a10 == b10:
c = a1
d = b1
else:
continue
if c != 0 and d != 0:
s = c / d
if abs(s - r) < e:
print(a, "/", b, "->", c, "/", d)
|
e = 1e-05
for b in range(10, 100):
for a in range(10, b):
r = a / b
a1 = a % 10
a10 = a // 10 % 10
b1 = b % 10
b10 = b // 10 % 10
if a1 == b1 and a1 != 0 and (b1 != 0):
c = a10
d = b10
elif a1 == b10:
c = a10
d = b1
elif a10 == b1:
c = a1
d = b10
elif a10 == b10:
c = a1
d = b1
else:
continue
if c != 0 and d != 0:
s = c / d
if abs(s - r) < e:
print(a, '/', b, '->', c, '/', d)
|
# https://codeforces.com/contest/520/problem/A
def check_freq(x):
freq = {}
for c in set(x):
freq[c] = x.count(c)
return freq
_ = input()
word = input().lower()
if len(check_freq(word)) == 26:
print("YES")
else:
print("NO")
|
def check_freq(x):
freq = {}
for c in set(x):
freq[c] = x.count(c)
return freq
_ = input()
word = input().lower()
if len(check_freq(word)) == 26:
print('YES')
else:
print('NO')
|
s=0
for i in range(0,3):
for j in range(0,3):
for k in range(0,3):
s+=1
print(s)
|
s = 0
for i in range(0, 3):
for j in range(0, 3):
for k in range(0, 3):
s += 1
print(s)
|
bags = {}
def get_bags():
with open("7/input.txt", "r") as file:
data = file.read().split('\n')
for line in data:
parts = line.split(" contain ")
color = parts[0].replace(" bags", "")
contains = []
if parts[1] != "no other bags.":
contains_bags = parts[1].split(", ")
for c in contains_bags:
parts = c.split(" ")
num = int(parts[0])
color_name = f"{parts[1]} {parts[2]}"
contains.append((num, color_name))
bags[color] = contains
return bags
|
bags = {}
def get_bags():
with open('7/input.txt', 'r') as file:
data = file.read().split('\n')
for line in data:
parts = line.split(' contain ')
color = parts[0].replace(' bags', '')
contains = []
if parts[1] != 'no other bags.':
contains_bags = parts[1].split(', ')
for c in contains_bags:
parts = c.split(' ')
num = int(parts[0])
color_name = f'{parts[1]} {parts[2]}'
contains.append((num, color_name))
bags[color] = contains
return bags
|
load(":common.bzl", "get_nuget_files")
load("//dotnet/private:context.bzl", "make_builder_cmd")
load("//dotnet/private/actions:common.bzl", "cache_set", "declare_caches", "write_cache_manifest")
load("//dotnet/private:providers.bzl", "DotnetRestoreInfo", "MSBuildDirectoryInfo", "NuGetPackageInfo")
def restore(ctx, dotnet):
# we don't really need this since we're declaring the directory, but this way, if the restore
# fails, bazel will fail the build because this file wasn't created
outputs, assets_json = _declare_restore_outputs(ctx)
cache = declare_caches(ctx, "restore")
files, caches = _process_deps(dotnet, ctx)
cache_manifest = write_cache_manifest(ctx, cache, cache_set(transitive = caches))
directory_info = ctx.attr.msbuild_directory[MSBuildDirectoryInfo]
inputs = depset(
direct = [ctx.file.project_file, cache_manifest],
transitive = files + [directory_info.files],
)
outputs.extend([cache.result, cache.project])
assembly_name = _get_assembly_name(ctx, directory_info)
args, cmd_outputs = make_builder_cmd(ctx, dotnet, "restore", directory_info, assembly_name)
outputs.extend(cmd_outputs)
args.add_all([
"--version",
ctx.attr.version,
"--package_version",
ctx.attr.package_version,
])
ctx.actions.run(
mnemonic = "NuGetRestore",
inputs = inputs,
outputs = outputs,
executable = dotnet.sdk.dotnet,
arguments = [args],
env = dotnet.env,
tools = dotnet.builder.files,
)
return DotnetRestoreInfo(
target_framework = ctx.attr.target_framework,
assets_json = assets_json,
outputs = outputs,
files = depset(outputs, transitive = [inputs]),
caches = cache_set([cache], transitive = caches),
directory_info = directory_info,
assembly_name = assembly_name,
), outputs
def _process_deps(dotnet, ctx):
tfm = dotnet.config.tfm
deps = ctx.attr.deps
files = []
caches = []
for dep in getattr(dotnet.config, "tfm_deps", []):
get_nuget_files(dep, tfm, files)
for dep in getattr(dotnet.config, "implicit_deps", []):
get_nuget_files(dep, tfm, files)
for dep in deps:
if DotnetRestoreInfo in dep:
info = dep[DotnetRestoreInfo]
files.append(info.files)
caches.append(info.caches)
elif NuGetPackageInfo in dep:
get_nuget_files(dep, tfm, files)
else:
fail("Unkown dependency type: {}".format(dep))
return files, caches
def _get_assembly_name(ctx, directory_info):
if directory_info == None:
return ""
override = getattr(ctx.attr, "assembly_name", None)
if override != None and override != "":
return override
parts = []
prefix = getattr(directory_info, "assembly_name_prefix", "")
if prefix != "":
parts.append(prefix)
name = ctx.attr.name[:(-1 * len("_restore"))]
root_package = getattr(directory_info, "assembly_name_root_package", None)
if root_package:
root_package = root_package[2:] # skip the //
package = ctx.label.package
if package != "":
if package.startswith(root_package):
package = package[len(root_package) + 1:]
parts.extend(package.split("/"))
if name != parts[-1]:
parts.append(name)
else:
parts.append(name)
return ".".join(parts)
def _declare_restore_outputs(ctx):
outputs = []
for d in ["restore/_/", "restore/"]:
for x in [".assets.json", ".nuget.cache"]:
outputs.append(ctx.actions.declare_file(d + "project" + x))
for x in [".bazel.props", ".bazel.targets", ".nuget.g.props", ".nuget.g.targets", ".nuget.dgspec.json"]:
outputs.append(ctx.actions.declare_file(d + ctx.attr.project_file.label.name + x))
return outputs, outputs[0]
|
load(':common.bzl', 'get_nuget_files')
load('//dotnet/private:context.bzl', 'make_builder_cmd')
load('//dotnet/private/actions:common.bzl', 'cache_set', 'declare_caches', 'write_cache_manifest')
load('//dotnet/private:providers.bzl', 'DotnetRestoreInfo', 'MSBuildDirectoryInfo', 'NuGetPackageInfo')
def restore(ctx, dotnet):
(outputs, assets_json) = _declare_restore_outputs(ctx)
cache = declare_caches(ctx, 'restore')
(files, caches) = _process_deps(dotnet, ctx)
cache_manifest = write_cache_manifest(ctx, cache, cache_set(transitive=caches))
directory_info = ctx.attr.msbuild_directory[MSBuildDirectoryInfo]
inputs = depset(direct=[ctx.file.project_file, cache_manifest], transitive=files + [directory_info.files])
outputs.extend([cache.result, cache.project])
assembly_name = _get_assembly_name(ctx, directory_info)
(args, cmd_outputs) = make_builder_cmd(ctx, dotnet, 'restore', directory_info, assembly_name)
outputs.extend(cmd_outputs)
args.add_all(['--version', ctx.attr.version, '--package_version', ctx.attr.package_version])
ctx.actions.run(mnemonic='NuGetRestore', inputs=inputs, outputs=outputs, executable=dotnet.sdk.dotnet, arguments=[args], env=dotnet.env, tools=dotnet.builder.files)
return (dotnet_restore_info(target_framework=ctx.attr.target_framework, assets_json=assets_json, outputs=outputs, files=depset(outputs, transitive=[inputs]), caches=cache_set([cache], transitive=caches), directory_info=directory_info, assembly_name=assembly_name), outputs)
def _process_deps(dotnet, ctx):
tfm = dotnet.config.tfm
deps = ctx.attr.deps
files = []
caches = []
for dep in getattr(dotnet.config, 'tfm_deps', []):
get_nuget_files(dep, tfm, files)
for dep in getattr(dotnet.config, 'implicit_deps', []):
get_nuget_files(dep, tfm, files)
for dep in deps:
if DotnetRestoreInfo in dep:
info = dep[DotnetRestoreInfo]
files.append(info.files)
caches.append(info.caches)
elif NuGetPackageInfo in dep:
get_nuget_files(dep, tfm, files)
else:
fail('Unkown dependency type: {}'.format(dep))
return (files, caches)
def _get_assembly_name(ctx, directory_info):
if directory_info == None:
return ''
override = getattr(ctx.attr, 'assembly_name', None)
if override != None and override != '':
return override
parts = []
prefix = getattr(directory_info, 'assembly_name_prefix', '')
if prefix != '':
parts.append(prefix)
name = ctx.attr.name[:-1 * len('_restore')]
root_package = getattr(directory_info, 'assembly_name_root_package', None)
if root_package:
root_package = root_package[2:]
package = ctx.label.package
if package != '':
if package.startswith(root_package):
package = package[len(root_package) + 1:]
parts.extend(package.split('/'))
if name != parts[-1]:
parts.append(name)
else:
parts.append(name)
return '.'.join(parts)
def _declare_restore_outputs(ctx):
outputs = []
for d in ['restore/_/', 'restore/']:
for x in ['.assets.json', '.nuget.cache']:
outputs.append(ctx.actions.declare_file(d + 'project' + x))
for x in ['.bazel.props', '.bazel.targets', '.nuget.g.props', '.nuget.g.targets', '.nuget.dgspec.json']:
outputs.append(ctx.actions.declare_file(d + ctx.attr.project_file.label.name + x))
return (outputs, outputs[0])
|
def sum_digits(digit):
return sum(int(x) for x in digit if x.isdigit())
print(sum_digits('texto123numero456x7'))
#https://pt.stackoverflow.com/q/42280/101
|
def sum_digits(digit):
return sum((int(x) for x in digit if x.isdigit()))
print(sum_digits('texto123numero456x7'))
|
#
# PySNMP MIB module NTNTECH-CHASSIS-CONFIGURATION-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/NTNTECH-CHASSIS-CONFIGURATION-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:25: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, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
SingleValueConstraint, ValueRangeConstraint, ConstraintsIntersection, ValueSizeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ConstraintsUnion")
NtnDisplayString, NtnTimeTicks, NtnDefaultGateway, ntntechChassis, NtnSubnetMask = mibBuilder.importSymbols("NTNTECH-ROOT-MIB", "NtnDisplayString", "NtnTimeTicks", "NtnDefaultGateway", "ntntechChassis", "NtnSubnetMask")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
iso, Counter64, ObjectIdentity, ModuleIdentity, IpAddress, Bits, TimeTicks, Integer32, MibIdentifier, MibScalar, MibTable, MibTableRow, MibTableColumn, Counter32, Gauge32, NotificationType, Unsigned32 = mibBuilder.importSymbols("SNMPv2-SMI", "iso", "Counter64", "ObjectIdentity", "ModuleIdentity", "IpAddress", "Bits", "TimeTicks", "Integer32", "MibIdentifier", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Counter32", "Gauge32", "NotificationType", "Unsigned32")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
ntntechChassisConfigurationMIB = ModuleIdentity((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1))
ntntechChassisConfigurationMIB.setRevisions(('1902-08-13 11:12', '1902-08-28 09:12', '1902-10-11 09:13', '1902-10-22 02:00', '1902-11-04 12:58', '1904-03-15 10:15', '1904-04-27 11:16', '1904-10-11 09:09', '1904-11-17 09:58',))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts: ntntechChassisConfigurationMIB.setRevisionsDescriptions(('Added the mumCfgAdvanced OID. Added the mumCfgManagementPort OID.', 'New Release - v1.01.00', 'Added OID mgmtPortCfgType to the mgmtPortCfgTable.', 'New Release - v1.01.01', 'Added the values uplink3(4), uplink4(5), and mgmt(6) to the mumCfgInterConnection OID.', 'Added OID mumCfgCommitChange to the mumCfgTable.', 'Updated the description associated with the mumCfgCommitChange OID.', 'Updated the description associated with the mumCfgCommitChange OID again. Adjusted the copyright date and references to Paradyne.', 'New Release -- version 1.02.01',))
if mibBuilder.loadTexts: ntntechChassisConfigurationMIB.setLastUpdated('0411170200Z')
if mibBuilder.loadTexts: ntntechChassisConfigurationMIB.setOrganization('Paradyne Corporation')
if mibBuilder.loadTexts: ntntechChassisConfigurationMIB.setContactInfo('Paradyne Corporation 8545 126th Avenue North Largo, FL 33773 phone: +1 (727) 530 2000 email: [email protected] www: http://www.nettonet.com/support/')
if mibBuilder.loadTexts: ntntechChassisConfigurationMIB.setDescription("This mib module defines an SNMP API to manage the Paradyne Corporation's DSLAM chassis parameters. These parameter settings are specifically associated with the the MUM200-2 and MUM2000-2 modules and the Mini and Micro DSLAMs. The interface types are described below, AMD8000-12 12-Port ADSL Mini DSLAMs With Full Rate and G.lite Operational Modes SMD2000-12, SMD2000Q-12, SMD2000G-12 12-Port SDSL Mini DSLAMs: AC and DC Versions with Cap, 2B1Q and G.SHDSL line encoding SuD2011_12T, SuD2011_12E, SuD2003_12T, SuD2003_12E 12-Port SDSL Micro DSLAMs: Cap, 2B1Q and G.SHDSL line encoding SuD2011_6T, SuD2011_6E, SuD2002_6T, SuD2002_6E 6-Port SDSL Micro DSLAMs: Cap, 2B1Q and G.SHDSL line encoding MUM200-2, MUM2000-2 Multiplexer Uplink Module with Dual Uplink Interface Module Capacity UIM-10/100 Uplink Interface Module UIM-DS3 DS3 Uplink Interface Module UIM-E1 E1 Uplink Interface Module UIM-E3 E3 Uplink Interface Module UIM-T1 T1 Uplink Interface Module ")
chsCfgMIBObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1))
chsCfgParameterConfiguration = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1))
prmCfgMultiplexerUplinkModule = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1))
mumCfgNotes = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 1), NtnDisplayString()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgNotes.setStatus('current')
if mibBuilder.loadTexts: mumCfgNotes.setDescription("The chassis system 'Notes' field is to be used as a scratchpad (i.e. chassis id or name) by the administrator. The default value is blank. The length of string must not exceed 128 alpha-numeric characters.")
mumCfgTable = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2), )
if mibBuilder.loadTexts: mumCfgTable.setStatus('current')
if mibBuilder.loadTexts: mumCfgTable.setDescription('A list of MUM200-2/2000-2 module or Mini/Micro DSLAM entries.')
mumCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "mumCfgIndex"))
if mibBuilder.loadTexts: mumCfgEntry.setStatus('current')
if mibBuilder.loadTexts: mumCfgEntry.setDescription('An entry containing management information applicable to a MUM200-2/MUM2000-2 module or Mini/Micro DSLAM.')
mumCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mumCfgIndex.setStatus('current')
if mibBuilder.loadTexts: mumCfgIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = mumCfgIndex 1,2 respecitively IPD4000 MUM in slot 5 = mumCfgIndex 1 Mini DSLAM NA = mumCfgIndex 1 Micro DSLAM NA = mumCfgIndex 1")
mumCfgIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgIpAddress.setStatus('current')
if mibBuilder.loadTexts: mumCfgIpAddress.setDescription('IP Address assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This parameter is initially set to a default value, i.e 192.168.254.252 for a MUM200-2/2000-2 module located in slot 13 of an IPD12000, slot 5 of an IPD4000 DSLAM and a Mini/Micro DSLAM. The default value of 192.168.254.253 will be for a MUM200-2/2000-2 module located in slot 14 of an IPD12000 (duplicate IP addresses are not allowed). These default values can be modified by the user.')
mumCfgSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 3), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgSubnetMask.setStatus('current')
if mibBuilder.loadTexts: mumCfgSubnetMask.setDescription('The Subnet Mask assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This parameter is assiged by the user, the default value is 255.255.255.0.')
mumCfgDefaultGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgDefaultGateway.setStatus('current')
if mibBuilder.loadTexts: mumCfgDefaultGateway.setDescription('The Default Gateway assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This value is assiged by the user, the default value is 0.0.0.0.')
mumCfgInbandMgmt = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("on", 1), ("off", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgInbandMgmt.setStatus('current')
if mibBuilder.loadTexts: mumCfgInbandMgmt.setDescription('Inband management feature, when enabled [ON(1)], allows access to the DSLAM via the network against an assigned IP address, subnet mask, and default gateway.')
mumCfgInbandMGMTVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4085))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgInbandMGMTVlanID.setStatus('current')
if mibBuilder.loadTexts: mumCfgInbandMGMTVlanID.setDescription('The IP DSLAM supports 802.1Q Virtual LANs (VLANs). This parameter configuration applies to the inband management traffic only. It does not apply to out of band traffic received from the MGMT port. Note: for the case where the chassis type is an IPD12000 loaded with two MUMs, the setting of this parameter will affect both.')
mumCfgInterConnection = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("neither", 1), ("uplink1", 2), ("uplink2", 3), ("uplink3", 4), ("uplink4", 5), ("mgmt", 6)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgInterConnection.setStatus('current')
if mibBuilder.loadTexts: mumCfgInterConnection.setDescription('IPD12000 or IPD4000 DSLAM interconnect configuration provides the system manager the ability to daisy-chain one IP DSLAM to another so that a single router may be used for all DSLAMs in the chain.')
mumCfgCommitChange = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mumCfgCommitChange.setStatus('current')
if mibBuilder.loadTexts: mumCfgCommitChange.setDescription('Set to enabled(1) in order to commit the latest changes to the IP address, subnetmask, default gateway chassis parameters. This is only applicable to the SNE2040G-P and the SNE2040G-S.')
mumCfgUplinkInterfaceModule = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3))
uimCfgEthTable = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1), )
if mibBuilder.loadTexts: uimCfgEthTable.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthTable.setDescription('A list of ethernet Uplink Interface Module (UIM) entries.')
uimCfgEthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgEthMumIndex"), (0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgEthIndex"))
if mibBuilder.loadTexts: uimCfgEthEntry.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthEntry.setDescription('An entry containing information applicable to an ethernet Uplink Interface Module (UIM).')
uimCfgEthMumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgEthMumIndex.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgEthMumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgEthMumIndex 1 Mini DSLAM NA = uimCfgEthMumIndex 1 Micro DSLAM NA = uimCfgEthMumIndex 1 Note: when configuring an ethernet UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uimCfgEthIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgEthIndex.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthIndex.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uimCfgEthRxTxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("uimEthAutoNegotiate", 0), ("uimEth10", 1), ("uimEth100", 2), ("uimEthGig", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgEthRxTxRate.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthRxTxRate.setDescription('The RxTx rate for an ethernet UIM.')
uimCfgEthDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("uimEthAutoNegotiate", 0), ("uimEthHalf", 1), ("uimEthFull", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgEthDuplex.setStatus('current')
if mibBuilder.loadTexts: uimCfgEthDuplex.setDescription('The current duplex setting for an ethernet UIM.')
uimCfgT1Table = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2), )
if mibBuilder.loadTexts: uimCfgT1Table.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1Table.setDescription('A list of T1 Uplink Interface Module (UIM) entries.')
uimCfgT1Entry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgT1MumIndex"), (0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgT1Index"))
if mibBuilder.loadTexts: uimCfgT1Entry.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1Entry.setDescription('An entry containing information applicable to a T1 Uplink Interface Module (UIM).')
uimCfgT1MumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgT1MumIndex.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1MumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgT1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgT1MumIndex 1 Mini DSLAM NA = uimCfgT1MumIndex 1 Micro DSLAM NA = uimCfgT1MumIndex 1 Note: when configuring a T1 UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uimCfgT1Index = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgT1Index.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1Index.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uimCfgT1Frame = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("uimT1ESF", 1), ("uimT1SFD4", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgT1Frame.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1Frame.setDescription('The frame type parameter for a T1 UIM.')
uimCfgT1LineCode = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("uimT1B8ZS", 1), ("uimT1AMI", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgT1LineCode.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1LineCode.setDescription('The line code parameter for a T1 UIM.')
uimCfgT1LineBuildout = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("uimT10db", 1), ("uimT1N7p5db", 2), ("uimT1N15db", 3), ("uimT1N22p5db", 4)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgT1LineBuildout.setStatus('current')
if mibBuilder.loadTexts: uimCfgT1LineBuildout.setDescription('The line buildout parameter for a T1 UIM.')
uimCfgE1Table = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3), )
if mibBuilder.loadTexts: uimCfgE1Table.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1Table.setDescription('A list of E1 Uplink Interface Module (UIM) entries.')
uimCfgE1Entry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgE1MumIndex"), (0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "uimCfgE1Index"))
if mibBuilder.loadTexts: uimCfgE1Entry.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1Entry.setDescription('An entry containing information applicable to an E1 Uplink Interface Module (UIM).')
uimCfgE1MumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgE1MumIndex.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1MumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgE1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgE1MumIndex 1 Mini DSLAM NA = uimCfgE1MumIndex 1 Micro DSLAM NA = uimCfgE1MumIndex 1 Note: when configuring an E1 UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uimCfgE1Index = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: uimCfgE1Index.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1Index.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uimCfgE1Frame = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("uimE1CRC", 1), ("uimE1NoCRC", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgE1Frame.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1Frame.setDescription('The frame type parameter for an E1 UIM.')
uimCfgE1LineCode = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("uimE1HDB3", 1), ("uimE1AMI", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: uimCfgE1LineCode.setStatus('current')
if mibBuilder.loadTexts: uimCfgE1LineCode.setDescription('The line code parameter for an E1 UIM.')
mumSNMPConfiguration = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4))
snmpCfgNoticeIpTable = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1), )
if mibBuilder.loadTexts: snmpCfgNoticeIpTable.setStatus('current')
if mibBuilder.loadTexts: snmpCfgNoticeIpTable.setDescription('A list of SNMP trap notification Ip Addresses.')
snmpCfgNoticeIpEntry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "snmpCfgNoticeIndex"))
if mibBuilder.loadTexts: snmpCfgNoticeIpEntry.setStatus('current')
if mibBuilder.loadTexts: snmpCfgNoticeIpEntry.setDescription('An entry containing SNMP information applicable to a MUM200-2/MUM2000-2 module or Mini/Micro DSLAM.')
snmpCfgNoticeIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4))).setMaxAccess("readonly")
if mibBuilder.loadTexts: snmpCfgNoticeIndex.setStatus('current')
if mibBuilder.loadTexts: snmpCfgNoticeIndex.setDescription('An integer value that points to one of four trap notification IP addresses.')
snmpCfgNoticeIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1, 2), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCfgNoticeIpAddress.setStatus('current')
if mibBuilder.loadTexts: snmpCfgNoticeIpAddress.setDescription('IP Address of the location or computer to which you would like trap notifications sent. The default value is 0.0.0.0 and it can be modified by the user.')
snmpCfgAuthenticationTrapState = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCfgAuthenticationTrapState.setStatus('current')
if mibBuilder.loadTexts: snmpCfgAuthenticationTrapState.setDescription('Indicates whether Authentication traps should be generated. By default, this object should have the value enabled(1).')
snmpCfgEnvironmentTrapState = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCfgEnvironmentTrapState.setStatus('current')
if mibBuilder.loadTexts: snmpCfgEnvironmentTrapState.setDescription('Indicates whether the fan and temperature traps should be generated. By default, this object should have the value enabled(1).')
snmpCfgColdstartTrapState = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCfgColdstartTrapState.setStatus('current')
if mibBuilder.loadTexts: snmpCfgColdstartTrapState.setDescription('Indicates whether Cold Start traps should be generated. By default, this object should have the value disabled(2).')
snmpCfgModulePortTrapState = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: snmpCfgModulePortTrapState.setStatus('current')
if mibBuilder.loadTexts: snmpCfgModulePortTrapState.setDescription('Indicates whether the module present/removed and link up/down traps should be generated. By default, this object should have the value disabled(2).')
snmpCfgCommunity = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6))
comReadWriteAccess = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: comReadWriteAccess.setStatus('current')
if mibBuilder.loadTexts: comReadWriteAccess.setDescription('The community string that will allow the user read/write access to the agent. In otherwords, the user will be allowed to view and set parameter attributes. Note: since this is a hidden attribute, for security purposes, when performing a get on this OID the string that is returned will be represented by asterisk(s).')
comReadOnlyAccess = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 15))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: comReadOnlyAccess.setStatus('current')
if mibBuilder.loadTexts: comReadOnlyAccess.setDescription('The community string that will allow the user read access to the agent. In otherwords, the user will be allowed to view parameter attributes. Note: since this is a hidden attribute, for security purposes, when performing a get on this OID the string that is returned will be represented by asterisk(s).')
mumCfgUniques = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 5))
unqEmbHttpWebsrvrState = MibScalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: unqEmbHttpWebsrvrState.setStatus('current')
if mibBuilder.loadTexts: unqEmbHttpWebsrvrState.setDescription('This configuration parameter allows the user the ability to disable, or enable, the embedded webserver. By default, this object should have the value enabled(1).')
mumCfgAdvanced = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6))
advCfgTable = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1), )
if mibBuilder.loadTexts: advCfgTable.setStatus('current')
if mibBuilder.loadTexts: advCfgTable.setDescription('A list of the Advanced Configuration entries.')
advCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "advCfgMumIndex"))
if mibBuilder.loadTexts: advCfgEntry.setStatus('current')
if mibBuilder.loadTexts: advCfgEntry.setDescription('An entry containing information applicable to an Advanced Configuration parameter.')
advCfgMumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: advCfgMumIndex.setStatus('current')
if mibBuilder.loadTexts: advCfgMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgE1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgE1MumIndex 1 Mini DSLAM NA = uimCfgE1MumIndex 1 Micro DSLAM NA = uimCfgE1MumIndex 1 Note: when configuring an Advanced Configuration parameter, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
advCfgTFTPState = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: advCfgTFTPState.setStatus('current')
if mibBuilder.loadTexts: advCfgTFTPState.setDescription('This configuration parameter allows the user the ability to disable, or enable, the TFTP server. By default, this object should have the value enabled(1).')
advCfgTelnetState = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: advCfgTelnetState.setStatus('current')
if mibBuilder.loadTexts: advCfgTelnetState.setDescription('This configuration parameter allows the user the ability to disable, or enable, telnet. By default, this object should have the value enabled(1).')
advCfgMgmtFltrIpStart = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 4), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: advCfgMgmtFltrIpStart.setStatus('current')
if mibBuilder.loadTexts: advCfgMgmtFltrIpStart.setDescription("The start value for the management IP filter range. This parameter is initially set to a default filter range of 0.0.0.0 - 255.255.255.255. Connection to the management system will be allowed only if the user's Ip address value falls within the defined mumCfgMgmtIpStart and mumCfgMgmtIpEnd range.")
advCfgMgmtFltrIpEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 5), IpAddress()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: advCfgMgmtFltrIpEnd.setStatus('current')
if mibBuilder.loadTexts: advCfgMgmtFltrIpEnd.setDescription("The end value for the management IP filter range. This parameter is initially set to a default filter range of 0.0.0.0 - 255.255.255.255. Connection to the management system will be allowed only if the user's Ip address value falls within the defined mumCfgMgmtIpStart and mumCfgMgmtIpEnd range.")
advCfgMgmtSessionTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 6), NtnTimeTicks()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: advCfgMgmtSessionTimeout.setStatus('current')
if mibBuilder.loadTexts: advCfgMgmtSessionTimeout.setDescription('This value defines the length of a password session in seconds. If the session has been idle for a time greater than this value, the browser will be challenged again, even if it has provided authentication credentials with the request.')
mumCfgManagementPort = MibIdentifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7))
mgmtPortCfgTable = MibTable((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1), )
if mibBuilder.loadTexts: mgmtPortCfgTable.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgTable.setDescription('A list of the hardware platform management port entries.')
mgmtPortCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1), ).setIndexNames((0, "NTNTECH-CHASSIS-CONFIGURATION-MIB", "mgmtPortCfgMumIndex"))
if mibBuilder.loadTexts: mgmtPortCfgEntry.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgEntry.setDescription('An entry containing information applicable to the managment (ethernet type) port.')
mgmtPortCfgMumIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2))).setMaxAccess("readonly")
if mibBuilder.loadTexts: mgmtPortCfgMumIndex.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgEthMumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgEthMumIndex 1 Mini DSLAM NA = uimCfgEthMumIndex 1 Micro DSLAM NA = uimCfgEthMumIndex 1 Note: when configuring a management port, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
mgmtPortCfgRxTxRate = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("uimEthAutoNegotiate", 0), ("uimEth10", 1), ("uimEth100", 2), ("uimEthGig", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mgmtPortCfgRxTxRate.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgRxTxRate.setDescription('Set the RxTx rate for an ethernet management port.')
mgmtPortCfgDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("uimEthAutoNegotiate", 0), ("uimEthHalf", 1), ("uimEthFull", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mgmtPortCfgDuplex.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgDuplex.setDescription('Set the duplex setting for an ethernet management port.')
mgmtPortCfgType = MibTableColumn((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("mgmt", 1), ("uplink", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: mgmtPortCfgType.setStatus('current')
if mibBuilder.loadTexts: mgmtPortCfgType.setDescription('Set the management port type as follows. By setting this port to mgmt(1), it will operate as a non-bridge mode connection. Setting it to uplink(2), this port will operate like an uplink interface module, i.e. a bridge mode connection. Note: this applies to the AuD8000-12 micro DSLAM only.')
mibBuilder.exportSymbols("NTNTECH-CHASSIS-CONFIGURATION-MIB", uimCfgE1Index=uimCfgE1Index, uimCfgT1Frame=uimCfgT1Frame, snmpCfgNoticeIpAddress=snmpCfgNoticeIpAddress, mgmtPortCfgEntry=mgmtPortCfgEntry, snmpCfgNoticeIndex=snmpCfgNoticeIndex, chsCfgMIBObjects=chsCfgMIBObjects, advCfgTelnetState=advCfgTelnetState, mgmtPortCfgDuplex=mgmtPortCfgDuplex, mumCfgUplinkInterfaceModule=mumCfgUplinkInterfaceModule, mgmtPortCfgType=mgmtPortCfgType, advCfgTFTPState=advCfgTFTPState, mumCfgNotes=mumCfgNotes, uimCfgEthIndex=uimCfgEthIndex, snmpCfgAuthenticationTrapState=snmpCfgAuthenticationTrapState, mgmtPortCfgRxTxRate=mgmtPortCfgRxTxRate, mumCfgIpAddress=mumCfgIpAddress, uimCfgE1LineCode=uimCfgE1LineCode, snmpCfgNoticeIpEntry=snmpCfgNoticeIpEntry, PYSNMP_MODULE_ID=ntntechChassisConfigurationMIB, uimCfgEthTable=uimCfgEthTable, uimCfgE1Table=uimCfgE1Table, uimCfgT1Index=uimCfgT1Index, snmpCfgNoticeIpTable=snmpCfgNoticeIpTable, snmpCfgCommunity=snmpCfgCommunity, mumCfgSubnetMask=mumCfgSubnetMask, uimCfgT1Entry=uimCfgT1Entry, mgmtPortCfgTable=mgmtPortCfgTable, mgmtPortCfgMumIndex=mgmtPortCfgMumIndex, mumCfgTable=mumCfgTable, mumCfgAdvanced=mumCfgAdvanced, uimCfgE1MumIndex=uimCfgE1MumIndex, uimCfgE1Entry=uimCfgE1Entry, unqEmbHttpWebsrvrState=unqEmbHttpWebsrvrState, mumCfgEntry=mumCfgEntry, uimCfgEthMumIndex=uimCfgEthMumIndex, mumCfgCommitChange=mumCfgCommitChange, snmpCfgModulePortTrapState=snmpCfgModulePortTrapState, advCfgTable=advCfgTable, mumCfgInterConnection=mumCfgInterConnection, uimCfgEthEntry=uimCfgEthEntry, comReadWriteAccess=comReadWriteAccess, uimCfgEthDuplex=uimCfgEthDuplex, snmpCfgEnvironmentTrapState=snmpCfgEnvironmentTrapState, snmpCfgColdstartTrapState=snmpCfgColdstartTrapState, mumSNMPConfiguration=mumSNMPConfiguration, ntntechChassisConfigurationMIB=ntntechChassisConfigurationMIB, uimCfgT1LineBuildout=uimCfgT1LineBuildout, uimCfgT1Table=uimCfgT1Table, chsCfgParameterConfiguration=chsCfgParameterConfiguration, comReadOnlyAccess=comReadOnlyAccess, mumCfgIndex=mumCfgIndex, uimCfgT1LineCode=uimCfgT1LineCode, advCfgEntry=advCfgEntry, advCfgMumIndex=advCfgMumIndex, advCfgMgmtSessionTimeout=advCfgMgmtSessionTimeout, mumCfgDefaultGateway=mumCfgDefaultGateway, mumCfgInbandMgmt=mumCfgInbandMgmt, mumCfgUniques=mumCfgUniques, mumCfgManagementPort=mumCfgManagementPort, uimCfgT1MumIndex=uimCfgT1MumIndex, uimCfgE1Frame=uimCfgE1Frame, mumCfgInbandMGMTVlanID=mumCfgInbandMGMTVlanID, advCfgMgmtFltrIpEnd=advCfgMgmtFltrIpEnd, prmCfgMultiplexerUplinkModule=prmCfgMultiplexerUplinkModule, advCfgMgmtFltrIpStart=advCfgMgmtFltrIpStart, uimCfgEthRxTxRate=uimCfgEthRxTxRate)
|
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, value_range_constraint, constraints_intersection, value_size_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ValueRangeConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ConstraintsUnion')
(ntn_display_string, ntn_time_ticks, ntn_default_gateway, ntntech_chassis, ntn_subnet_mask) = mibBuilder.importSymbols('NTNTECH-ROOT-MIB', 'NtnDisplayString', 'NtnTimeTicks', 'NtnDefaultGateway', 'ntntechChassis', 'NtnSubnetMask')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(iso, counter64, object_identity, module_identity, ip_address, bits, time_ticks, integer32, mib_identifier, mib_scalar, mib_table, mib_table_row, mib_table_column, counter32, gauge32, notification_type, unsigned32) = mibBuilder.importSymbols('SNMPv2-SMI', 'iso', 'Counter64', 'ObjectIdentity', 'ModuleIdentity', 'IpAddress', 'Bits', 'TimeTicks', 'Integer32', 'MibIdentifier', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'Counter32', 'Gauge32', 'NotificationType', 'Unsigned32')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
ntntech_chassis_configuration_mib = module_identity((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1))
ntntechChassisConfigurationMIB.setRevisions(('1902-08-13 11:12', '1902-08-28 09:12', '1902-10-11 09:13', '1902-10-22 02:00', '1902-11-04 12:58', '1904-03-15 10:15', '1904-04-27 11:16', '1904-10-11 09:09', '1904-11-17 09:58'))
if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0):
if mibBuilder.loadTexts:
ntntechChassisConfigurationMIB.setRevisionsDescriptions(('Added the mumCfgAdvanced OID. Added the mumCfgManagementPort OID.', 'New Release - v1.01.00', 'Added OID mgmtPortCfgType to the mgmtPortCfgTable.', 'New Release - v1.01.01', 'Added the values uplink3(4), uplink4(5), and mgmt(6) to the mumCfgInterConnection OID.', 'Added OID mumCfgCommitChange to the mumCfgTable.', 'Updated the description associated with the mumCfgCommitChange OID.', 'Updated the description associated with the mumCfgCommitChange OID again. Adjusted the copyright date and references to Paradyne.', 'New Release -- version 1.02.01'))
if mibBuilder.loadTexts:
ntntechChassisConfigurationMIB.setLastUpdated('0411170200Z')
if mibBuilder.loadTexts:
ntntechChassisConfigurationMIB.setOrganization('Paradyne Corporation')
if mibBuilder.loadTexts:
ntntechChassisConfigurationMIB.setContactInfo('Paradyne Corporation 8545 126th Avenue North Largo, FL 33773 phone: +1 (727) 530 2000 email: [email protected] www: http://www.nettonet.com/support/')
if mibBuilder.loadTexts:
ntntechChassisConfigurationMIB.setDescription("This mib module defines an SNMP API to manage the Paradyne Corporation's DSLAM chassis parameters. These parameter settings are specifically associated with the the MUM200-2 and MUM2000-2 modules and the Mini and Micro DSLAMs. The interface types are described below, AMD8000-12 12-Port ADSL Mini DSLAMs With Full Rate and G.lite Operational Modes SMD2000-12, SMD2000Q-12, SMD2000G-12 12-Port SDSL Mini DSLAMs: AC and DC Versions with Cap, 2B1Q and G.SHDSL line encoding SuD2011_12T, SuD2011_12E, SuD2003_12T, SuD2003_12E 12-Port SDSL Micro DSLAMs: Cap, 2B1Q and G.SHDSL line encoding SuD2011_6T, SuD2011_6E, SuD2002_6T, SuD2002_6E 6-Port SDSL Micro DSLAMs: Cap, 2B1Q and G.SHDSL line encoding MUM200-2, MUM2000-2 Multiplexer Uplink Module with Dual Uplink Interface Module Capacity UIM-10/100 Uplink Interface Module UIM-DS3 DS3 Uplink Interface Module UIM-E1 E1 Uplink Interface Module UIM-E3 E3 Uplink Interface Module UIM-T1 T1 Uplink Interface Module ")
chs_cfg_mib_objects = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1))
chs_cfg_parameter_configuration = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1))
prm_cfg_multiplexer_uplink_module = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1))
mum_cfg_notes = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 1), ntn_display_string()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgNotes.setStatus('current')
if mibBuilder.loadTexts:
mumCfgNotes.setDescription("The chassis system 'Notes' field is to be used as a scratchpad (i.e. chassis id or name) by the administrator. The default value is blank. The length of string must not exceed 128 alpha-numeric characters.")
mum_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2))
if mibBuilder.loadTexts:
mumCfgTable.setStatus('current')
if mibBuilder.loadTexts:
mumCfgTable.setDescription('A list of MUM200-2/2000-2 module or Mini/Micro DSLAM entries.')
mum_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'mumCfgIndex'))
if mibBuilder.loadTexts:
mumCfgEntry.setStatus('current')
if mibBuilder.loadTexts:
mumCfgEntry.setDescription('An entry containing management information applicable to a MUM200-2/MUM2000-2 module or Mini/Micro DSLAM.')
mum_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mumCfgIndex.setStatus('current')
if mibBuilder.loadTexts:
mumCfgIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = mumCfgIndex 1,2 respecitively IPD4000 MUM in slot 5 = mumCfgIndex 1 Mini DSLAM NA = mumCfgIndex 1 Micro DSLAM NA = mumCfgIndex 1")
mum_cfg_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgIpAddress.setStatus('current')
if mibBuilder.loadTexts:
mumCfgIpAddress.setDescription('IP Address assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This parameter is initially set to a default value, i.e 192.168.254.252 for a MUM200-2/2000-2 module located in slot 13 of an IPD12000, slot 5 of an IPD4000 DSLAM and a Mini/Micro DSLAM. The default value of 192.168.254.253 will be for a MUM200-2/2000-2 module located in slot 14 of an IPD12000 (duplicate IP addresses are not allowed). These default values can be modified by the user.')
mum_cfg_subnet_mask = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 3), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgSubnetMask.setStatus('current')
if mibBuilder.loadTexts:
mumCfgSubnetMask.setDescription('The Subnet Mask assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This parameter is assiged by the user, the default value is 255.255.255.0.')
mum_cfg_default_gateway = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgDefaultGateway.setStatus('current')
if mibBuilder.loadTexts:
mumCfgDefaultGateway.setDescription('The Default Gateway assigned to a MUM200-2/2000-2 module or Mini/Micro DSLAM. This value is assiged by the user, the default value is 0.0.0.0.')
mum_cfg_inband_mgmt = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('on', 1), ('off', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgInbandMgmt.setStatus('current')
if mibBuilder.loadTexts:
mumCfgInbandMgmt.setDescription('Inband management feature, when enabled [ON(1)], allows access to the DSLAM via the network against an assigned IP address, subnet mask, and default gateway.')
mum_cfg_inband_mgmt_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 4085))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgInbandMGMTVlanID.setStatus('current')
if mibBuilder.loadTexts:
mumCfgInbandMGMTVlanID.setDescription('The IP DSLAM supports 802.1Q Virtual LANs (VLANs). This parameter configuration applies to the inband management traffic only. It does not apply to out of band traffic received from the MGMT port. Note: for the case where the chassis type is an IPD12000 loaded with two MUMs, the setting of this parameter will affect both.')
mum_cfg_inter_connection = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('neither', 1), ('uplink1', 2), ('uplink2', 3), ('uplink3', 4), ('uplink4', 5), ('mgmt', 6)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgInterConnection.setStatus('current')
if mibBuilder.loadTexts:
mumCfgInterConnection.setDescription('IPD12000 or IPD4000 DSLAM interconnect configuration provides the system manager the ability to daisy-chain one IP DSLAM to another so that a single router may be used for all DSLAMs in the chain.')
mum_cfg_commit_change = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mumCfgCommitChange.setStatus('current')
if mibBuilder.loadTexts:
mumCfgCommitChange.setDescription('Set to enabled(1) in order to commit the latest changes to the IP address, subnetmask, default gateway chassis parameters. This is only applicable to the SNE2040G-P and the SNE2040G-S.')
mum_cfg_uplink_interface_module = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3))
uim_cfg_eth_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1))
if mibBuilder.loadTexts:
uimCfgEthTable.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthTable.setDescription('A list of ethernet Uplink Interface Module (UIM) entries.')
uim_cfg_eth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgEthMumIndex'), (0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgEthIndex'))
if mibBuilder.loadTexts:
uimCfgEthEntry.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthEntry.setDescription('An entry containing information applicable to an ethernet Uplink Interface Module (UIM).')
uim_cfg_eth_mum_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgEthMumIndex.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgEthMumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgEthMumIndex 1 Mini DSLAM NA = uimCfgEthMumIndex 1 Micro DSLAM NA = uimCfgEthMumIndex 1 Note: when configuring an ethernet UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uim_cfg_eth_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgEthIndex.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthIndex.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uim_cfg_eth_rx_tx_rate = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('uimEthAutoNegotiate', 0), ('uimEth10', 1), ('uimEth100', 2), ('uimEthGig', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgEthRxTxRate.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthRxTxRate.setDescription('The RxTx rate for an ethernet UIM.')
uim_cfg_eth_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('uimEthAutoNegotiate', 0), ('uimEthHalf', 1), ('uimEthFull', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgEthDuplex.setStatus('current')
if mibBuilder.loadTexts:
uimCfgEthDuplex.setDescription('The current duplex setting for an ethernet UIM.')
uim_cfg_t1_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2))
if mibBuilder.loadTexts:
uimCfgT1Table.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1Table.setDescription('A list of T1 Uplink Interface Module (UIM) entries.')
uim_cfg_t1_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgT1MumIndex'), (0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgT1Index'))
if mibBuilder.loadTexts:
uimCfgT1Entry.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1Entry.setDescription('An entry containing information applicable to a T1 Uplink Interface Module (UIM).')
uim_cfg_t1_mum_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgT1MumIndex.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1MumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgT1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgT1MumIndex 1 Mini DSLAM NA = uimCfgT1MumIndex 1 Micro DSLAM NA = uimCfgT1MumIndex 1 Note: when configuring a T1 UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uim_cfg_t1_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgT1Index.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1Index.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uim_cfg_t1_frame = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('uimT1ESF', 1), ('uimT1SFD4', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgT1Frame.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1Frame.setDescription('The frame type parameter for a T1 UIM.')
uim_cfg_t1_line_code = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('uimT1B8ZS', 1), ('uimT1AMI', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgT1LineCode.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1LineCode.setDescription('The line code parameter for a T1 UIM.')
uim_cfg_t1_line_buildout = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('uimT10db', 1), ('uimT1N7p5db', 2), ('uimT1N15db', 3), ('uimT1N22p5db', 4)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgT1LineBuildout.setStatus('current')
if mibBuilder.loadTexts:
uimCfgT1LineBuildout.setDescription('The line buildout parameter for a T1 UIM.')
uim_cfg_e1_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3))
if mibBuilder.loadTexts:
uimCfgE1Table.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1Table.setDescription('A list of E1 Uplink Interface Module (UIM) entries.')
uim_cfg_e1_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgE1MumIndex'), (0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'uimCfgE1Index'))
if mibBuilder.loadTexts:
uimCfgE1Entry.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1Entry.setDescription('An entry containing information applicable to an E1 Uplink Interface Module (UIM).')
uim_cfg_e1_mum_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgE1MumIndex.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1MumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgE1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgE1MumIndex 1 Mini DSLAM NA = uimCfgE1MumIndex 1 Micro DSLAM NA = uimCfgE1MumIndex 1 Note: when configuring an E1 UIM, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
uim_cfg_e1_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
uimCfgE1Index.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1Index.setDescription('The physical slot used to access the UIM in the MUM200-2/2000-2 module or Mini/Micro DSLAM.')
uim_cfg_e1_frame = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('uimE1CRC', 1), ('uimE1NoCRC', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgE1Frame.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1Frame.setDescription('The frame type parameter for an E1 UIM.')
uim_cfg_e1_line_code = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 3, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('uimE1HDB3', 1), ('uimE1AMI', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
uimCfgE1LineCode.setStatus('current')
if mibBuilder.loadTexts:
uimCfgE1LineCode.setDescription('The line code parameter for an E1 UIM.')
mum_snmp_configuration = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4))
snmp_cfg_notice_ip_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1))
if mibBuilder.loadTexts:
snmpCfgNoticeIpTable.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgNoticeIpTable.setDescription('A list of SNMP trap notification Ip Addresses.')
snmp_cfg_notice_ip_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'snmpCfgNoticeIndex'))
if mibBuilder.loadTexts:
snmpCfgNoticeIpEntry.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgNoticeIpEntry.setDescription('An entry containing SNMP information applicable to a MUM200-2/MUM2000-2 module or Mini/Micro DSLAM.')
snmp_cfg_notice_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 4))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
snmpCfgNoticeIndex.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgNoticeIndex.setDescription('An integer value that points to one of four trap notification IP addresses.')
snmp_cfg_notice_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 1, 1, 2), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCfgNoticeIpAddress.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgNoticeIpAddress.setDescription('IP Address of the location or computer to which you would like trap notifications sent. The default value is 0.0.0.0 and it can be modified by the user.')
snmp_cfg_authentication_trap_state = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCfgAuthenticationTrapState.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgAuthenticationTrapState.setDescription('Indicates whether Authentication traps should be generated. By default, this object should have the value enabled(1).')
snmp_cfg_environment_trap_state = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCfgEnvironmentTrapState.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgEnvironmentTrapState.setDescription('Indicates whether the fan and temperature traps should be generated. By default, this object should have the value enabled(1).')
snmp_cfg_coldstart_trap_state = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCfgColdstartTrapState.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgColdstartTrapState.setDescription('Indicates whether Cold Start traps should be generated. By default, this object should have the value disabled(2).')
snmp_cfg_module_port_trap_state = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
snmpCfgModulePortTrapState.setStatus('current')
if mibBuilder.loadTexts:
snmpCfgModulePortTrapState.setDescription('Indicates whether the module present/removed and link up/down traps should be generated. By default, this object should have the value disabled(2).')
snmp_cfg_community = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6))
com_read_write_access = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
comReadWriteAccess.setStatus('current')
if mibBuilder.loadTexts:
comReadWriteAccess.setDescription('The community string that will allow the user read/write access to the agent. In otherwords, the user will be allowed to view and set parameter attributes. Note: since this is a hidden attribute, for security purposes, when performing a get on this OID the string that is returned will be represented by asterisk(s).')
com_read_only_access = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 4, 6, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 15))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
comReadOnlyAccess.setStatus('current')
if mibBuilder.loadTexts:
comReadOnlyAccess.setDescription('The community string that will allow the user read access to the agent. In otherwords, the user will be allowed to view parameter attributes. Note: since this is a hidden attribute, for security purposes, when performing a get on this OID the string that is returned will be represented by asterisk(s).')
mum_cfg_uniques = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 5))
unq_emb_http_websrvr_state = mib_scalar((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
unqEmbHttpWebsrvrState.setStatus('current')
if mibBuilder.loadTexts:
unqEmbHttpWebsrvrState.setDescription('This configuration parameter allows the user the ability to disable, or enable, the embedded webserver. By default, this object should have the value enabled(1).')
mum_cfg_advanced = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6))
adv_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1))
if mibBuilder.loadTexts:
advCfgTable.setStatus('current')
if mibBuilder.loadTexts:
advCfgTable.setDescription('A list of the Advanced Configuration entries.')
adv_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'advCfgMumIndex'))
if mibBuilder.loadTexts:
advCfgEntry.setStatus('current')
if mibBuilder.loadTexts:
advCfgEntry.setDescription('An entry containing information applicable to an Advanced Configuration parameter.')
adv_cfg_mum_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
advCfgMumIndex.setStatus('current')
if mibBuilder.loadTexts:
advCfgMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgE1MumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgE1MumIndex 1 Mini DSLAM NA = uimCfgE1MumIndex 1 Micro DSLAM NA = uimCfgE1MumIndex 1 Note: when configuring an Advanced Configuration parameter, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
adv_cfg_tftp_state = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
advCfgTFTPState.setStatus('current')
if mibBuilder.loadTexts:
advCfgTFTPState.setDescription('This configuration parameter allows the user the ability to disable, or enable, the TFTP server. By default, this object should have the value enabled(1).')
adv_cfg_telnet_state = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
advCfgTelnetState.setStatus('current')
if mibBuilder.loadTexts:
advCfgTelnetState.setDescription('This configuration parameter allows the user the ability to disable, or enable, telnet. By default, this object should have the value enabled(1).')
adv_cfg_mgmt_fltr_ip_start = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 4), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
advCfgMgmtFltrIpStart.setStatus('current')
if mibBuilder.loadTexts:
advCfgMgmtFltrIpStart.setDescription("The start value for the management IP filter range. This parameter is initially set to a default filter range of 0.0.0.0 - 255.255.255.255. Connection to the management system will be allowed only if the user's Ip address value falls within the defined mumCfgMgmtIpStart and mumCfgMgmtIpEnd range.")
adv_cfg_mgmt_fltr_ip_end = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 5), ip_address()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
advCfgMgmtFltrIpEnd.setStatus('current')
if mibBuilder.loadTexts:
advCfgMgmtFltrIpEnd.setDescription("The end value for the management IP filter range. This parameter is initially set to a default filter range of 0.0.0.0 - 255.255.255.255. Connection to the management system will be allowed only if the user's Ip address value falls within the defined mumCfgMgmtIpStart and mumCfgMgmtIpEnd range.")
adv_cfg_mgmt_session_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 6, 1, 1, 6), ntn_time_ticks()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
advCfgMgmtSessionTimeout.setStatus('current')
if mibBuilder.loadTexts:
advCfgMgmtSessionTimeout.setDescription('This value defines the length of a password session in seconds. If the session has been idle for a time greater than this value, the browser will be challenged again, even if it has provided authentication credentials with the request.')
mum_cfg_management_port = mib_identifier((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7))
mgmt_port_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1))
if mibBuilder.loadTexts:
mgmtPortCfgTable.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgTable.setDescription('A list of the hardware platform management port entries.')
mgmt_port_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1)).setIndexNames((0, 'NTNTECH-CHASSIS-CONFIGURATION-MIB', 'mgmtPortCfgMumIndex'))
if mibBuilder.loadTexts:
mgmtPortCfgEntry.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgEntry.setDescription('An entry containing information applicable to the managment (ethernet type) port.')
mgmt_port_cfg_mum_index = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
mgmtPortCfgMumIndex.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgMumIndex.setDescription("Translates to the physical slot number that a MUM200-2/2000-2 module exists within a chassis. The Mini/Micro DSLAMs' physical location is set to 1 by default. See below, chassis type physical location(s) translation ------------ -------------------------------- IPD12000 MUM in slots 13,14 = uimCfgEthMumIndex 1,2 respecitively IPD4000 MUM in slot 5 = uimCfgEthMumIndex 1 Mini DSLAM NA = uimCfgEthMumIndex 1 Micro DSLAM NA = uimCfgEthMumIndex 1 Note: when configuring a management port, the user must enter the index of the MUM, see above table, that corresponds with the IP address of the remote SNMP agent.")
mgmt_port_cfg_rx_tx_rate = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('uimEthAutoNegotiate', 0), ('uimEth10', 1), ('uimEth100', 2), ('uimEthGig', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mgmtPortCfgRxTxRate.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgRxTxRate.setDescription('Set the RxTx rate for an ethernet management port.')
mgmt_port_cfg_duplex = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('uimEthAutoNegotiate', 0), ('uimEthHalf', 1), ('uimEthFull', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mgmtPortCfgDuplex.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgDuplex.setDescription('Set the duplex setting for an ethernet management port.')
mgmt_port_cfg_type = mib_table_column((1, 3, 6, 1, 4, 1, 8059, 1, 1, 1, 1, 1, 1, 7, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('mgmt', 1), ('uplink', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
mgmtPortCfgType.setStatus('current')
if mibBuilder.loadTexts:
mgmtPortCfgType.setDescription('Set the management port type as follows. By setting this port to mgmt(1), it will operate as a non-bridge mode connection. Setting it to uplink(2), this port will operate like an uplink interface module, i.e. a bridge mode connection. Note: this applies to the AuD8000-12 micro DSLAM only.')
mibBuilder.exportSymbols('NTNTECH-CHASSIS-CONFIGURATION-MIB', uimCfgE1Index=uimCfgE1Index, uimCfgT1Frame=uimCfgT1Frame, snmpCfgNoticeIpAddress=snmpCfgNoticeIpAddress, mgmtPortCfgEntry=mgmtPortCfgEntry, snmpCfgNoticeIndex=snmpCfgNoticeIndex, chsCfgMIBObjects=chsCfgMIBObjects, advCfgTelnetState=advCfgTelnetState, mgmtPortCfgDuplex=mgmtPortCfgDuplex, mumCfgUplinkInterfaceModule=mumCfgUplinkInterfaceModule, mgmtPortCfgType=mgmtPortCfgType, advCfgTFTPState=advCfgTFTPState, mumCfgNotes=mumCfgNotes, uimCfgEthIndex=uimCfgEthIndex, snmpCfgAuthenticationTrapState=snmpCfgAuthenticationTrapState, mgmtPortCfgRxTxRate=mgmtPortCfgRxTxRate, mumCfgIpAddress=mumCfgIpAddress, uimCfgE1LineCode=uimCfgE1LineCode, snmpCfgNoticeIpEntry=snmpCfgNoticeIpEntry, PYSNMP_MODULE_ID=ntntechChassisConfigurationMIB, uimCfgEthTable=uimCfgEthTable, uimCfgE1Table=uimCfgE1Table, uimCfgT1Index=uimCfgT1Index, snmpCfgNoticeIpTable=snmpCfgNoticeIpTable, snmpCfgCommunity=snmpCfgCommunity, mumCfgSubnetMask=mumCfgSubnetMask, uimCfgT1Entry=uimCfgT1Entry, mgmtPortCfgTable=mgmtPortCfgTable, mgmtPortCfgMumIndex=mgmtPortCfgMumIndex, mumCfgTable=mumCfgTable, mumCfgAdvanced=mumCfgAdvanced, uimCfgE1MumIndex=uimCfgE1MumIndex, uimCfgE1Entry=uimCfgE1Entry, unqEmbHttpWebsrvrState=unqEmbHttpWebsrvrState, mumCfgEntry=mumCfgEntry, uimCfgEthMumIndex=uimCfgEthMumIndex, mumCfgCommitChange=mumCfgCommitChange, snmpCfgModulePortTrapState=snmpCfgModulePortTrapState, advCfgTable=advCfgTable, mumCfgInterConnection=mumCfgInterConnection, uimCfgEthEntry=uimCfgEthEntry, comReadWriteAccess=comReadWriteAccess, uimCfgEthDuplex=uimCfgEthDuplex, snmpCfgEnvironmentTrapState=snmpCfgEnvironmentTrapState, snmpCfgColdstartTrapState=snmpCfgColdstartTrapState, mumSNMPConfiguration=mumSNMPConfiguration, ntntechChassisConfigurationMIB=ntntechChassisConfigurationMIB, uimCfgT1LineBuildout=uimCfgT1LineBuildout, uimCfgT1Table=uimCfgT1Table, chsCfgParameterConfiguration=chsCfgParameterConfiguration, comReadOnlyAccess=comReadOnlyAccess, mumCfgIndex=mumCfgIndex, uimCfgT1LineCode=uimCfgT1LineCode, advCfgEntry=advCfgEntry, advCfgMumIndex=advCfgMumIndex, advCfgMgmtSessionTimeout=advCfgMgmtSessionTimeout, mumCfgDefaultGateway=mumCfgDefaultGateway, mumCfgInbandMgmt=mumCfgInbandMgmt, mumCfgUniques=mumCfgUniques, mumCfgManagementPort=mumCfgManagementPort, uimCfgT1MumIndex=uimCfgT1MumIndex, uimCfgE1Frame=uimCfgE1Frame, mumCfgInbandMGMTVlanID=mumCfgInbandMGMTVlanID, advCfgMgmtFltrIpEnd=advCfgMgmtFltrIpEnd, prmCfgMultiplexerUplinkModule=prmCfgMultiplexerUplinkModule, advCfgMgmtFltrIpStart=advCfgMgmtFltrIpStart, uimCfgEthRxTxRate=uimCfgEthRxTxRate)
|
load("@bazel_gazelle//:deps.bzl", "go_repository")
def go_repositories():
go_repository(
name = "com_github_deepmap_oapi_codegen",
importpath = "github.com/deepmap/oapi-codegen",
sum = "h1:SegyeYGcdi0jLLrpbCMoJxnUUn8GBXHsvr4rbzjuhfU=",
version = "v1.8.2",
)
go_repository(
name = "com_github_cyberdelia_templates",
importpath = "github.com/cyberdelia/templates",
sum = "h1:/ovYnF02fwL0kvspmy9AuyKg1JhdTRUgPw4nUxd9oZM=",
version = "v0.0.0-20141128023046-ca7fffd4298c",
)
go_repository(
name = "com_github_davecgh_go_spew",
importpath = "github.com/davecgh/go-spew",
sum = "h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c=",
version = "v1.1.1",
)
go_repository(
name = "com_github_dgrijalva_jwt_go",
importpath = "github.com/dgrijalva/jwt-go",
sum = "h1:7qlOGliEKZXTDg6OTjfoBKDXWrumCAMpl/TFQ4/5kLM=",
version = "v3.2.0+incompatible",
)
go_repository(
name = "com_github_getkin_kin_openapi",
importpath = "github.com/getkin/kin-openapi",
sum = "h1:6awGqF5nG5zkVpMsAih1QH4VgzS8phTxECUWIFo7zko=",
version = "v0.61.0",
)
go_repository(
name = "com_github_ghodss_yaml",
importpath = "github.com/ghodss/yaml",
sum = "h1:wQHKEahhL6wmXdzwWG11gIVCkOv05bNOh+Rxn0yngAk=",
version = "v1.0.0",
)
go_repository(
name = "com_github_go_chi_chi_v5",
importpath = "github.com/go-chi/chi/v5",
sum = "h1:DBPx88FjZJH3FsICfDAfIfnb7XxKIYVGG6lOPlhENAg=",
version = "v5.0.0",
)
go_repository(
name = "com_github_go_openapi_jsonpointer",
importpath = "github.com/go-openapi/jsonpointer",
sum = "h1:gZr+CIYByUqjcgeLXnQu2gHYQC9o73G2XUeOFYEICuY=",
version = "v0.19.5",
)
go_repository(
name = "com_github_go_openapi_swag",
importpath = "github.com/go-openapi/swag",
sum = "h1:lTz6Ys4CmqqCQmZPBlbQENR1/GucA2bzYTE12Pw4tFY=",
version = "v0.19.5",
)
go_repository(
name = "com_github_golangci_lint_1",
importpath = "github.com/golangci/lint-1",
sum = "h1:utua3L2IbQJmauC5IXdEA547bcoU5dozgQAfc8Onsg4=",
version = "v0.0.0-20181222135242-d2cdd8c08219",
)
go_repository(
name = "com_github_gorilla_mux",
importpath = "github.com/gorilla/mux",
sum = "h1:i40aqfkR1h2SlN9hojwV5ZA91wcXFOvkdNIeFDP5koI=",
version = "v1.8.0",
)
go_repository(
name = "com_github_kr_pretty",
importpath = "github.com/kr/pretty",
sum = "h1:L/CwN0zerZDmRFUapSPitk6f+Q3+0za1rQkzVuMiMFI=",
version = "v0.1.0",
)
go_repository(
name = "com_github_kr_pty",
importpath = "github.com/kr/pty",
sum = "h1:VkoXIwSboBpnk99O/KFauAEILuNHv5DVFKZMBN/gUgw=",
version = "v1.1.1",
)
go_repository(
name = "com_github_kr_text",
importpath = "github.com/kr/text",
sum = "h1:45sCR5RtlFHMR4UwH9sdQ5TC8v0qDQCHnXt+kaKSTVE=",
version = "v0.1.0",
)
go_repository(
name = "com_github_labstack_echo_v4",
importpath = "github.com/labstack/echo/v4",
sum = "h1:LF5Iq7t/jrtUuSutNuiEWtB5eiHfZ5gSe2pcu5exjQw=",
version = "v4.2.1",
)
go_repository(
name = "com_github_labstack_gommon",
importpath = "github.com/labstack/gommon",
sum = "h1:JEeO0bvc78PKdyHxloTKiF8BD5iGrH8T6MSeGvSgob0=",
version = "v0.3.0",
)
go_repository(
name = "com_github_mailru_easyjson",
importpath = "github.com/mailru/easyjson",
sum = "h1:hB2xlXdHp/pmPZq0y3QnmWAArdw9PqbmotexnWx/FU8=",
version = "v0.0.0-20190626092158-b2ccc519800e",
)
go_repository(
name = "com_github_matryer_moq",
importpath = "github.com/matryer/moq",
sum = "h1:HvFwW+cm9bCbZ/+vuGNq7CRWXql8c0y8nGeYpqmpvmk=",
version = "v0.0.0-20190312154309-6cfb0558e1bd",
)
go_repository(
name = "com_github_mattn_go_colorable",
importpath = "github.com/mattn/go-colorable",
sum = "h1:c1ghPdyEDarC70ftn0y+A/Ee++9zz8ljHG1b13eJ0s8=",
version = "v0.1.8",
)
go_repository(
name = "com_github_mattn_go_isatty",
importpath = "github.com/mattn/go-isatty",
sum = "h1:wuysRhFDzyxgEmMf5xjvJ2M9dZoWAXNNr5LSBS7uHXY=",
version = "v0.0.12",
)
go_repository(
name = "com_github_pkg_errors",
importpath = "github.com/pkg/errors",
sum = "h1:iURUrRGxPUNPdy5/HRSm+Yj6okJ6UtLINN0Q9M4+h3I=",
version = "v0.8.1",
)
go_repository(
name = "com_github_pmezard_go_difflib",
importpath = "github.com/pmezard/go-difflib",
sum = "h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=",
version = "v1.0.0",
)
go_repository(
name = "com_github_stretchr_objx",
importpath = "github.com/stretchr/objx",
sum = "h1:4G4v2dO3VZwixGIRoQ5Lfboy6nUhCyYzaqnIAPPhYs4=",
version = "v0.1.0",
)
go_repository(
name = "com_github_stretchr_testify",
importpath = "github.com/stretchr/testify",
sum = "h1:nOGnQDM7FYENwehXlg/kFVnos3rEvtKTjRvOWSzb6H4=",
version = "v1.5.1",
)
go_repository(
name = "com_github_valyala_bytebufferpool",
importpath = "github.com/valyala/bytebufferpool",
sum = "h1:GqA5TC/0021Y/b9FG4Oi9Mr3q7XYx6KllzawFIhcdPw=",
version = "v1.0.0",
)
go_repository(
name = "com_github_valyala_fasttemplate",
importpath = "github.com/valyala/fasttemplate",
sum = "h1:TVEnxayobAdVkhQfrfes2IzOB6o+z4roRkPF52WA1u4=",
version = "v1.2.1",
)
go_repository(
name = "in_gopkg_check_v1",
importpath = "gopkg.in/check.v1",
sum = "h1:qIbj1fsPNlZgppZ+VLlY7N33q108Sa+fhmuc+sWQYwY=",
version = "v1.0.0-20180628173108-788fd7840127",
)
go_repository(
name = "in_gopkg_yaml_v2",
importpath = "gopkg.in/yaml.v2",
sum = "h1:clyUAQHOM3G0M3f5vQj7LuJrETvjVot3Z5el9nffUtU=",
version = "v2.3.0",
)
go_repository(
name = "org_golang_x_crypto",
importpath = "golang.org/x/crypto",
sum = "h1:DN0cp81fZ3njFcrLCytUHRSUkqBjfTo4Tx9RJTWs0EY=",
version = "v0.0.0-20201221181555-eec23a3978ad",
)
go_repository(
name = "org_golang_x_net",
importpath = "golang.org/x/net",
sum = "h1:003p0dJM77cxMSyCPFphvZf/Y5/NXf5fzg6ufd1/Oew=",
version = "v0.0.0-20210119194325-5f4716e94777",
)
go_repository(
name = "org_golang_x_sync",
importpath = "golang.org/x/sync",
sum = "h1:8gQV6CLnAEikrhgkHFbMAEhagSSnXWGV915qUMm9mrU=",
version = "v0.0.0-20190423024810-112230192c58",
)
go_repository(
name = "org_golang_x_sys",
importpath = "golang.org/x/sys",
sum = "h1:VwygUrnw9jn88c4u8GD3rZQbqrP/tgas88tPUbBxQrk=",
version = "v0.0.0-20210124154548-22da62e12c0c",
)
go_repository(
name = "org_golang_x_term",
importpath = "golang.org/x/term",
sum = "h1:v+OssWQX+hTHEmOBgwxdZxK4zHq3yOs8F9J7mk0PY8E=",
version = "v0.0.0-20201126162022-7de9c90e9dd1",
)
go_repository(
name = "org_golang_x_text",
importpath = "golang.org/x/text",
sum = "h1:i6eZZ+zk0SOf0xgBpEpPD18qWcJda6q1sxt3S0kzyUQ=",
version = "v0.3.5",
)
go_repository(
name = "org_golang_x_time",
importpath = "golang.org/x/time",
sum = "h1:O8mE0/t419eoIwhTFpKVkHiTs/Igowgfkj25AcZrtiE=",
version = "v0.0.0-20210220033141-f8bda1e9f3ba",
)
go_repository(
name = "org_golang_x_tools",
importpath = "golang.org/x/tools",
sum = "h1:kDxGY2VmgABOe55qheT/TFqUMtcTHnomIPS1iv3G4Ms=",
version = "v0.0.0-20191125144606-a911d9008d1f",
)
go_repository(
name = "org_golang_x_xerrors",
importpath = "golang.org/x/xerrors",
sum = "h1:9zdDQZ7Thm29KFXgAX/+yaf3eVbP7djjWp/dXAppNCc=",
version = "v0.0.0-20190717185122-a985d3407aa7",
)
|
load('@bazel_gazelle//:deps.bzl', 'go_repository')
def go_repositories():
go_repository(name='com_github_deepmap_oapi_codegen', importpath='github.com/deepmap/oapi-codegen', sum='h1:SegyeYGcdi0jLLrpbCMoJxnUUn8GBXHsvr4rbzjuhfU=', version='v1.8.2')
go_repository(name='com_github_cyberdelia_templates', importpath='github.com/cyberdelia/templates', sum='h1:/ovYnF02fwL0kvspmy9AuyKg1JhdTRUgPw4nUxd9oZM=', version='v0.0.0-20141128023046-ca7fffd4298c')
go_repository(name='com_github_davecgh_go_spew', importpath='github.com/davecgh/go-spew', sum='h1:vj9j/u1bqnvCEfJOwUhtlOARqs3+rkHYY13jYWTU97c=', version='v1.1.1')
go_repository(name='com_github_dgrijalva_jwt_go', importpath='github.com/dgrijalva/jwt-go', sum='h1:7qlOGliEKZXTDg6OTjfoBKDXWrumCAMpl/TFQ4/5kLM=', version='v3.2.0+incompatible')
go_repository(name='com_github_getkin_kin_openapi', importpath='github.com/getkin/kin-openapi', sum='h1:6awGqF5nG5zkVpMsAih1QH4VgzS8phTxECUWIFo7zko=', version='v0.61.0')
go_repository(name='com_github_ghodss_yaml', importpath='github.com/ghodss/yaml', sum='h1:wQHKEahhL6wmXdzwWG11gIVCkOv05bNOh+Rxn0yngAk=', version='v1.0.0')
go_repository(name='com_github_go_chi_chi_v5', importpath='github.com/go-chi/chi/v5', sum='h1:DBPx88FjZJH3FsICfDAfIfnb7XxKIYVGG6lOPlhENAg=', version='v5.0.0')
go_repository(name='com_github_go_openapi_jsonpointer', importpath='github.com/go-openapi/jsonpointer', sum='h1:gZr+CIYByUqjcgeLXnQu2gHYQC9o73G2XUeOFYEICuY=', version='v0.19.5')
go_repository(name='com_github_go_openapi_swag', importpath='github.com/go-openapi/swag', sum='h1:lTz6Ys4CmqqCQmZPBlbQENR1/GucA2bzYTE12Pw4tFY=', version='v0.19.5')
go_repository(name='com_github_golangci_lint_1', importpath='github.com/golangci/lint-1', sum='h1:utua3L2IbQJmauC5IXdEA547bcoU5dozgQAfc8Onsg4=', version='v0.0.0-20181222135242-d2cdd8c08219')
go_repository(name='com_github_gorilla_mux', importpath='github.com/gorilla/mux', sum='h1:i40aqfkR1h2SlN9hojwV5ZA91wcXFOvkdNIeFDP5koI=', version='v1.8.0')
go_repository(name='com_github_kr_pretty', importpath='github.com/kr/pretty', sum='h1:L/CwN0zerZDmRFUapSPitk6f+Q3+0za1rQkzVuMiMFI=', version='v0.1.0')
go_repository(name='com_github_kr_pty', importpath='github.com/kr/pty', sum='h1:VkoXIwSboBpnk99O/KFauAEILuNHv5DVFKZMBN/gUgw=', version='v1.1.1')
go_repository(name='com_github_kr_text', importpath='github.com/kr/text', sum='h1:45sCR5RtlFHMR4UwH9sdQ5TC8v0qDQCHnXt+kaKSTVE=', version='v0.1.0')
go_repository(name='com_github_labstack_echo_v4', importpath='github.com/labstack/echo/v4', sum='h1:LF5Iq7t/jrtUuSutNuiEWtB5eiHfZ5gSe2pcu5exjQw=', version='v4.2.1')
go_repository(name='com_github_labstack_gommon', importpath='github.com/labstack/gommon', sum='h1:JEeO0bvc78PKdyHxloTKiF8BD5iGrH8T6MSeGvSgob0=', version='v0.3.0')
go_repository(name='com_github_mailru_easyjson', importpath='github.com/mailru/easyjson', sum='h1:hB2xlXdHp/pmPZq0y3QnmWAArdw9PqbmotexnWx/FU8=', version='v0.0.0-20190626092158-b2ccc519800e')
go_repository(name='com_github_matryer_moq', importpath='github.com/matryer/moq', sum='h1:HvFwW+cm9bCbZ/+vuGNq7CRWXql8c0y8nGeYpqmpvmk=', version='v0.0.0-20190312154309-6cfb0558e1bd')
go_repository(name='com_github_mattn_go_colorable', importpath='github.com/mattn/go-colorable', sum='h1:c1ghPdyEDarC70ftn0y+A/Ee++9zz8ljHG1b13eJ0s8=', version='v0.1.8')
go_repository(name='com_github_mattn_go_isatty', importpath='github.com/mattn/go-isatty', sum='h1:wuysRhFDzyxgEmMf5xjvJ2M9dZoWAXNNr5LSBS7uHXY=', version='v0.0.12')
go_repository(name='com_github_pkg_errors', importpath='github.com/pkg/errors', sum='h1:iURUrRGxPUNPdy5/HRSm+Yj6okJ6UtLINN0Q9M4+h3I=', version='v0.8.1')
go_repository(name='com_github_pmezard_go_difflib', importpath='github.com/pmezard/go-difflib', sum='h1:4DBwDE0NGyQoBHbLQYPwSUPoCMWR5BEzIk/f1lZbAQM=', version='v1.0.0')
go_repository(name='com_github_stretchr_objx', importpath='github.com/stretchr/objx', sum='h1:4G4v2dO3VZwixGIRoQ5Lfboy6nUhCyYzaqnIAPPhYs4=', version='v0.1.0')
go_repository(name='com_github_stretchr_testify', importpath='github.com/stretchr/testify', sum='h1:nOGnQDM7FYENwehXlg/kFVnos3rEvtKTjRvOWSzb6H4=', version='v1.5.1')
go_repository(name='com_github_valyala_bytebufferpool', importpath='github.com/valyala/bytebufferpool', sum='h1:GqA5TC/0021Y/b9FG4Oi9Mr3q7XYx6KllzawFIhcdPw=', version='v1.0.0')
go_repository(name='com_github_valyala_fasttemplate', importpath='github.com/valyala/fasttemplate', sum='h1:TVEnxayobAdVkhQfrfes2IzOB6o+z4roRkPF52WA1u4=', version='v1.2.1')
go_repository(name='in_gopkg_check_v1', importpath='gopkg.in/check.v1', sum='h1:qIbj1fsPNlZgppZ+VLlY7N33q108Sa+fhmuc+sWQYwY=', version='v1.0.0-20180628173108-788fd7840127')
go_repository(name='in_gopkg_yaml_v2', importpath='gopkg.in/yaml.v2', sum='h1:clyUAQHOM3G0M3f5vQj7LuJrETvjVot3Z5el9nffUtU=', version='v2.3.0')
go_repository(name='org_golang_x_crypto', importpath='golang.org/x/crypto', sum='h1:DN0cp81fZ3njFcrLCytUHRSUkqBjfTo4Tx9RJTWs0EY=', version='v0.0.0-20201221181555-eec23a3978ad')
go_repository(name='org_golang_x_net', importpath='golang.org/x/net', sum='h1:003p0dJM77cxMSyCPFphvZf/Y5/NXf5fzg6ufd1/Oew=', version='v0.0.0-20210119194325-5f4716e94777')
go_repository(name='org_golang_x_sync', importpath='golang.org/x/sync', sum='h1:8gQV6CLnAEikrhgkHFbMAEhagSSnXWGV915qUMm9mrU=', version='v0.0.0-20190423024810-112230192c58')
go_repository(name='org_golang_x_sys', importpath='golang.org/x/sys', sum='h1:VwygUrnw9jn88c4u8GD3rZQbqrP/tgas88tPUbBxQrk=', version='v0.0.0-20210124154548-22da62e12c0c')
go_repository(name='org_golang_x_term', importpath='golang.org/x/term', sum='h1:v+OssWQX+hTHEmOBgwxdZxK4zHq3yOs8F9J7mk0PY8E=', version='v0.0.0-20201126162022-7de9c90e9dd1')
go_repository(name='org_golang_x_text', importpath='golang.org/x/text', sum='h1:i6eZZ+zk0SOf0xgBpEpPD18qWcJda6q1sxt3S0kzyUQ=', version='v0.3.5')
go_repository(name='org_golang_x_time', importpath='golang.org/x/time', sum='h1:O8mE0/t419eoIwhTFpKVkHiTs/Igowgfkj25AcZrtiE=', version='v0.0.0-20210220033141-f8bda1e9f3ba')
go_repository(name='org_golang_x_tools', importpath='golang.org/x/tools', sum='h1:kDxGY2VmgABOe55qheT/TFqUMtcTHnomIPS1iv3G4Ms=', version='v0.0.0-20191125144606-a911d9008d1f')
go_repository(name='org_golang_x_xerrors', importpath='golang.org/x/xerrors', sum='h1:9zdDQZ7Thm29KFXgAX/+yaf3eVbP7djjWp/dXAppNCc=', version='v0.0.0-20190717185122-a985d3407aa7')
|
def get_days(datetime_1,datetime_2,work_timing,weekends,holidays_list): # Here a datetime without full work time still is count as a day
first_day = datetime_1
days = 1
while(first_day.day < datetime_2.day):
if((first_day.isoweekday() not in weekends) and (first_day.strftime("%Y-%m-%d") not in holidays_list)):
days += 1
first_day += datetime.timedelta(days=1)
return days
def get_hours(datetime_1,datetime_2,work_timing,weekends,holidays_list): #Round up
if(datetime_1 > datetime_2):
hours = 0
else:
days = get_days(datetime_1,datetime_2,work_timing,weekends,holidays_list)
if(days > 1):
days = days - 2 #The day function is rounded up, so this ignore the last and first day
hours_day = work_timing[1] - work_timing[0]
hours = days * hours_day
if(datetime_1.hour < work_timing[0]): #This calculate working hours in the first day
hours_first_day = hours_day;
elif(datetime_1.hour > work_timing[1]):
hours_first_day = 0
else:
hours_first_day = work_timing[1] - datetime_1.hour
if(datetime_2.hour > work_timing[1]): #This calculate working hours in the last day
hours_last_day = hours_day;
elif(datetime_2.hour < work_timing[0]):
hours_last_day = 0
else:
hours_last_day = datetime_2.hour - work_timing[0]
hours = hours + hours_first_day + hours_last_day
else:
hours = datetime_1.hour - datetime_2.hour #days minimum value is suposed to be 1
return hours
def get_hours_and_minutes(datetime_1,datetime_2,work_timing,weekends,holidays_list):
if(datetime_1 > datetime_2):
minutes = 0
hours = 0
else:
if((datetime_1.hour < work_timing[0]) or (datetime_1.hour > work_timing[1])):
minute_1 = 0
else:
minute_1 = datetime_1.minute
if((datetime_2.hour < work_timing[0]) or (datetime_2.hour > work_timing[1])):
minute_2 = 0
else:
minute_2 = datetime_2.minute
if(minute_1 < minute_2):
minutes = minute_2 - minute_1
elif(minute_1 > minute_2):
minutes = 60 + minute_2 - minute_1
else:
minutes = 0
if((datetime_1.hour < work_timing[0]) or (datetime_1.hour > work_timing[1])):
hours_1 = 0
else:
hours_1 = datetime_1.hour
if((datetime_2.hour < work_timing[0]) or (datetime_2.hour > work_timing[1])):
hours_2 = 0
else:
hours_2 = datetime_2.hour
#Generate hours
days = get_days(datetime_1,datetime_2,work_timing,weekends,holidays_list)
if(days > 1):
days = days - 2
hours_day = work_timing[1] - work_timing[0]
hours = days * hours_day + hours_2 + (8 - hours_1)
else:
if(hours_1 < hours_2):
hours = hours_2 - hours_1
elif(hours_1 > hours_2):
hours = 8 + hours_2 - hours_1
else:
hours = 0
return str(hours) + ':' + str(minutes)
|
def get_days(datetime_1, datetime_2, work_timing, weekends, holidays_list):
first_day = datetime_1
days = 1
while first_day.day < datetime_2.day:
if first_day.isoweekday() not in weekends and first_day.strftime('%Y-%m-%d') not in holidays_list:
days += 1
first_day += datetime.timedelta(days=1)
return days
def get_hours(datetime_1, datetime_2, work_timing, weekends, holidays_list):
if datetime_1 > datetime_2:
hours = 0
else:
days = get_days(datetime_1, datetime_2, work_timing, weekends, holidays_list)
if days > 1:
days = days - 2
hours_day = work_timing[1] - work_timing[0]
hours = days * hours_day
if datetime_1.hour < work_timing[0]:
hours_first_day = hours_day
elif datetime_1.hour > work_timing[1]:
hours_first_day = 0
else:
hours_first_day = work_timing[1] - datetime_1.hour
if datetime_2.hour > work_timing[1]:
hours_last_day = hours_day
elif datetime_2.hour < work_timing[0]:
hours_last_day = 0
else:
hours_last_day = datetime_2.hour - work_timing[0]
hours = hours + hours_first_day + hours_last_day
else:
hours = datetime_1.hour - datetime_2.hour
return hours
def get_hours_and_minutes(datetime_1, datetime_2, work_timing, weekends, holidays_list):
if datetime_1 > datetime_2:
minutes = 0
hours = 0
else:
if datetime_1.hour < work_timing[0] or datetime_1.hour > work_timing[1]:
minute_1 = 0
else:
minute_1 = datetime_1.minute
if datetime_2.hour < work_timing[0] or datetime_2.hour > work_timing[1]:
minute_2 = 0
else:
minute_2 = datetime_2.minute
if minute_1 < minute_2:
minutes = minute_2 - minute_1
elif minute_1 > minute_2:
minutes = 60 + minute_2 - minute_1
else:
minutes = 0
if datetime_1.hour < work_timing[0] or datetime_1.hour > work_timing[1]:
hours_1 = 0
else:
hours_1 = datetime_1.hour
if datetime_2.hour < work_timing[0] or datetime_2.hour > work_timing[1]:
hours_2 = 0
else:
hours_2 = datetime_2.hour
days = get_days(datetime_1, datetime_2, work_timing, weekends, holidays_list)
if days > 1:
days = days - 2
hours_day = work_timing[1] - work_timing[0]
hours = days * hours_day + hours_2 + (8 - hours_1)
elif hours_1 < hours_2:
hours = hours_2 - hours_1
elif hours_1 > hours_2:
hours = 8 + hours_2 - hours_1
else:
hours = 0
return str(hours) + ':' + str(minutes)
|
class DBController():
def insert():
pass
def connect():
pass
|
class Dbcontroller:
def insert():
pass
def connect():
pass
|
def make_move():
board = [input().split() for _ in range(n)]
my_ptr = 'R' if player == 'RED' else 'B'
my_x = my_y = None
for i, row in enumerate(board):
for j, val in enumerate(row):
if val == my_ptr:
my_x = i
my_y = j
delta = [[0, -1, 'L'], [-1, 0, 'U'], [0, 1, 'R'], [1, 0, 'D']]
for move in delta:
nx = my_x + move[0]
ny = my_y + move[1]
if nx in range(n) and ny in range(m):
if board[nx][ny] == '.':
print(move[2])
return
if __name__ == '__main__':
player = input()
level = int(input())
n, m = map(int, input().split())
while True:
make_move()
|
def make_move():
board = [input().split() for _ in range(n)]
my_ptr = 'R' if player == 'RED' else 'B'
my_x = my_y = None
for (i, row) in enumerate(board):
for (j, val) in enumerate(row):
if val == my_ptr:
my_x = i
my_y = j
delta = [[0, -1, 'L'], [-1, 0, 'U'], [0, 1, 'R'], [1, 0, 'D']]
for move in delta:
nx = my_x + move[0]
ny = my_y + move[1]
if nx in range(n) and ny in range(m):
if board[nx][ny] == '.':
print(move[2])
return
if __name__ == '__main__':
player = input()
level = int(input())
(n, m) = map(int, input().split())
while True:
make_move()
|
class ImportLine:
def __init__(self, fromString: str, importString: str):
self.__from = fromString
self.__import = importString
def getFrom(self) -> str:
return self.__from
def getImport(self) -> str:
return self.__import
def isSame(self, line2: 'ImportLine') -> bool:
return (
line2.getFrom() == self.__from
and line2.getImport() == self.__import
)
def getDebugString(self):
return 'from ' + self.__from + ' import ' + self.__import
|
class Importline:
def __init__(self, fromString: str, importString: str):
self.__from = fromString
self.__import = importString
def get_from(self) -> str:
return self.__from
def get_import(self) -> str:
return self.__import
def is_same(self, line2: 'ImportLine') -> bool:
return line2.getFrom() == self.__from and line2.getImport() == self.__import
def get_debug_string(self):
return 'from ' + self.__from + ' import ' + self.__import
|
nome = 'Djonatan '
sobrenome = 'Schvambach'
print(nome + sobrenome)
idade = 25
altura = 1.76
e_maior = idade > 18
print('Nome ' + nome + sobrenome + ' Idade ' + str(idade) + ' maior de Idade ? ' + str(e_maior) )
peso = 58
imc = peso / altura ** 2
print(imc)
|
nome = 'Djonatan '
sobrenome = 'Schvambach'
print(nome + sobrenome)
idade = 25
altura = 1.76
e_maior = idade > 18
print('Nome ' + nome + sobrenome + ' Idade ' + str(idade) + ' maior de Idade ? ' + str(e_maior))
peso = 58
imc = peso / altura ** 2
print(imc)
|
# Source : https://leetcode.com/problems/longest-common-prefix/
# Author : foxfromworld
# Date : 04/10/2021
# First attempt
class Solution:
def longestCommonPrefix(self, strs: List[str]) -> str:
strs.sort(key=len)
result = ""
char = set()
for i in range(len(strs[0])):
for j in range(len(strs)):
char.add(strs[j][i])
if len(char) > 1:
return result
else:
result = result + strs[0][i]
char.clear()
return result
|
class Solution:
def longest_common_prefix(self, strs: List[str]) -> str:
strs.sort(key=len)
result = ''
char = set()
for i in range(len(strs[0])):
for j in range(len(strs)):
char.add(strs[j][i])
if len(char) > 1:
return result
else:
result = result + strs[0][i]
char.clear()
return result
|
{
"targets": [
{
"target_name": "memcachedNative",
"sources": [
"src/init.cc",
"src/client.cpp"
],
"include_dirs": [
"<!(node -e \"require('nan')\")"
],
'link_settings': {
'libraries': [
'<!@(pkg-config --libs libmemcached)'
]
}
}
]
}
|
{'targets': [{'target_name': 'memcachedNative', 'sources': ['src/init.cc', 'src/client.cpp'], 'include_dirs': ['<!(node -e "require(\'nan\')")'], 'link_settings': {'libraries': ['<!@(pkg-config --libs libmemcached)']}}]}
|
def sisi():
a = 10.0; b = {}; c = "string"
return a, b, c
sisi()
|
def sisi():
a = 10.0
b = {}
c = 'string'
return (a, b, c)
sisi()
|
s=input().split()
graph_path = list()
graph_path.append(s)
for i in range(len(s)-1):
graph_path.append(input().split())
print('path input done.')
#print(graph_path)
s=input().split()
weight_path = list()
weight_path.append(s)
for i in range(len(s)-1):
weight_path.append(input().split())
print('weight input done.')
#print(graph_path)
# graph_path=[
# ['0', '1', '0', '0', '0', '0', '0', '1', '1'],
# ['1', '0', '1', '0', '0', '0', '0', '1', '0'],
# ['0', '1', '0', '1', '0', '1', '0', '0', '1'],
# ['0', '0','1', '0', '1', '1', '0', '0', '0'],
# ['0', '0', '0', '1', '0', '1', '0', '0', '1'],
# ['0', '0', '1', '1', '1', '0', '1', '0', '0'],
# ['0', '0', '0', '0', '0', '1', '0', '1', '1'],
# ['1', '1', '0', '0', '0', '0', '1', '0', '1'],
# ['1', '0', '1', '0', '1', '0', '1', '1', '0']]
# graph_weight=[
# ['0', '3.6', '0', '0', '0', '0', '0', '3.7', '3.9'],
# ['3.6', '0', '3.6', '0', '0', '0', '0', '0', '0'],
# ['0', '3.6', '0', '3.3', '0', '2', '0', '0', '1.7'],
# ['0', '0', '3.3', '0', '3.3', '0', '0', '0', '0'],
# ['0', '0','0', '3.3', '0', '4', '0', '0', '3.9'],
# ['0', '0', '2', '0', '4', '0', '2', '0', '0'],
# ['0', '0', '0', '0', '0', '2', '0', '2', '0'],
# ['3.7', '0', '0', '0', '0', '0', '2', '0', '1.7'],
# ['3.9', '0', '1.7', '0', '3.9', '0', '0', '1.7', '0']
# ]
|
s = input().split()
graph_path = list()
graph_path.append(s)
for i in range(len(s) - 1):
graph_path.append(input().split())
print('path input done.')
s = input().split()
weight_path = list()
weight_path.append(s)
for i in range(len(s) - 1):
weight_path.append(input().split())
print('weight input done.')
|
def word():
word = "CSPIsCool"
x = ""
for i in word:
x += i
print(x)
def rows():
rows = 10
for i in range(1, rows + 1):
for j in range(1, i + 1):
print(i * j, end=' ')
print()
def pattern():
rows = 6
for i in range(0, rows):
for j in range(rows - 1, i, -1):
print(j, '', end='')
for l in range(i):
print(' ', end='')
for k in range(i + 1, rows):
print(k, '', end='')
print('\n')
|
def word():
word = 'CSPIsCool'
x = ''
for i in word:
x += i
print(x)
def rows():
rows = 10
for i in range(1, rows + 1):
for j in range(1, i + 1):
print(i * j, end=' ')
print()
def pattern():
rows = 6
for i in range(0, rows):
for j in range(rows - 1, i, -1):
print(j, '', end='')
for l in range(i):
print(' ', end='')
for k in range(i + 1, rows):
print(k, '', end='')
print('\n')
|
# by [email protected]
# ______COVID-19 Impact Estimator_______
reportedCases = data_reported_cases
population = data-population
timeToElapse = data-time-to-elapse
totalHospitalBeds = data-total-hospital-beds
c_i = 0
iBRT = 0
#return reportedCases, population, timeToElapse, totalHospitalBeds
# Challenge 1
def currentlyInfected(r_c, check):
if check == 'impact':
impactCurrentlyInfected = reportedCases * 10
c_i = impactCurrentlyInfected
return c_i
elif check == 'severe':
severeImpactCurrentlyInfected = reportedCases * 50
c_i = severeImpactCurrentlyInfected
return c_i
def infectionByRequiredTime(time, x):
if time == 'days':
infectionByRequiredTime = ((c_i * 512)/28) * timeToElapse
elif time == 'months':
infectionByRequiredTime = ((c_i * 512)/28) * 30 * timeToElapse
elif time == 'weeks':
infectionByRequiredTime = ((c_i * 512)/28) * 7 * timeToElapse
return infectionByRequiredTime
# elif check == 'severe':
# if time = days:
# infectionByRequiredTime = ((c_i * 512)/28) * x
# elif time = 'months':
# infectionByRequiredTime = ((c_i * 512)/28) * 30 * x
# elif time = 'weeks':
# infectionByRequiredTime = ((c_i * 512)/28) * 7 * x
# Challenge 2
def severeCasesByRequiredTime():
iBRT = c_i * 512 * 0.15
return iBRT
def hospitalBedSpaceByRequiredTime():
hBS = hospitalBedSpace * 0.35
hBSBRT = hBS - iBRT
return print(hBSBRT,' Hospital Bedspaces are available')
# Challenge 3
def casesForICUByRequestedTime():
c4ICU = iBRT * 0.05
return c4ICU
def casesForVentilatorsByRequestedTime():
c4Vent = iBRT * 0.02
return c4Vent
def dollarsInFlight():
dIF = iBRT * 30
return dIF
def impactCase(r_c, time):
i = 'impact'
currentlyInfected(reportedCases, i)
infectionByRequiredTime(time, i)
def severeImpact():
s = 'severe'
currentlyInfected(reportedCases, s)
infectionByRequiredTime(time, s)
def estimator(data):
data_supplied = data
impactCase()
severeImpact()
return data, severeImpact, impactCase
estimator()
|
reported_cases = data_reported_cases
population = data - population
time_to_elapse = data - time - to - elapse
total_hospital_beds = data - total - hospital - beds
c_i = 0
i_brt = 0
def currently_infected(r_c, check):
if check == 'impact':
impact_currently_infected = reportedCases * 10
c_i = impactCurrentlyInfected
return c_i
elif check == 'severe':
severe_impact_currently_infected = reportedCases * 50
c_i = severeImpactCurrentlyInfected
return c_i
def infection_by_required_time(time, x):
if time == 'days':
infection_by_required_time = c_i * 512 / 28 * timeToElapse
elif time == 'months':
infection_by_required_time = c_i * 512 / 28 * 30 * timeToElapse
elif time == 'weeks':
infection_by_required_time = c_i * 512 / 28 * 7 * timeToElapse
return infectionByRequiredTime
def severe_cases_by_required_time():
i_brt = c_i * 512 * 0.15
return iBRT
def hospital_bed_space_by_required_time():
h_bs = hospitalBedSpace * 0.35
h_bsbrt = hBS - iBRT
return print(hBSBRT, ' Hospital Bedspaces are available')
def cases_for_icu_by_requested_time():
c4_icu = iBRT * 0.05
return c4ICU
def cases_for_ventilators_by_requested_time():
c4_vent = iBRT * 0.02
return c4Vent
def dollars_in_flight():
d_if = iBRT * 30
return dIF
def impact_case(r_c, time):
i = 'impact'
currently_infected(reportedCases, i)
infection_by_required_time(time, i)
def severe_impact():
s = 'severe'
currently_infected(reportedCases, s)
infection_by_required_time(time, s)
def estimator(data):
data_supplied = data
impact_case()
severe_impact()
return (data, severeImpact, impactCase)
estimator()
|
possibleprograms = ["Example.exe",
"ExampleNr2.exe",
"Pavlov-Win64-Shipping.exe"]
programdisplaynames = {
"Example.exe": "Example",
"ExampleNr2.exe": "Whatever name should be displayed",
"Pavlov-Win64-Shipping.exe": "Pavlov"
}
presets = [
[["Spotify.exe", 0.00], ["firefox.exe", 0.50]],
[["Spotify.exe", 0.50], ["firefox.exe", 0.00]]
]
|
possibleprograms = ['Example.exe', 'ExampleNr2.exe', 'Pavlov-Win64-Shipping.exe']
programdisplaynames = {'Example.exe': 'Example', 'ExampleNr2.exe': 'Whatever name should be displayed', 'Pavlov-Win64-Shipping.exe': 'Pavlov'}
presets = [[['Spotify.exe', 0.0], ['firefox.exe', 0.5]], [['Spotify.exe', 0.5], ['firefox.exe', 0.0]]]
|
class _BotCommands:
def __init__(self):
self.StartCommand = 'start'
self.MirrorCommand = 'mirror'
self.UnzipMirrorCommand = 'unzipmirror'
self.TarMirrorCommand = 'tarmirror'
self.CancelMirror = 'cancel'
self.CancelAllCommand = 'cancelall'
self.ListCommand = 'list'
self.StatusCommand = 'status'
self.AuthorizedUsersCommand = 'users'
self.AuthorizeCommand = 'authorize'
self.UnAuthorizeCommand = 'unauthorize'
self.AddSudoCommand = 'addsudo'
self.RmSudoCommand = 'rmsudo'
self.PingCommand = 'ping'
self.RestartCommand = 'restart'
self.StatsCommand = 'stats'
self.HelpCommand = 'help'
self.LogCommand = 'log'
self.SpeedCommand = 'speedtest'
self.CloneCommand = 'clone'
self.CountCommand = 'count'
self.WatchCommand = 'watch'
self.TarWatchCommand = 'tarwatch'
self.DeleteCommand = 'del'
self.ConfigMenuCommand = 'config'
self.ShellCommand = 'shell'
self.UpdateCommand = 'update'
self.ExecHelpCommand = 'exechelp'
self.TsHelpCommand = 'tshelp'
BotCommands = _BotCommands()
|
class _Botcommands:
def __init__(self):
self.StartCommand = 'start'
self.MirrorCommand = 'mirror'
self.UnzipMirrorCommand = 'unzipmirror'
self.TarMirrorCommand = 'tarmirror'
self.CancelMirror = 'cancel'
self.CancelAllCommand = 'cancelall'
self.ListCommand = 'list'
self.StatusCommand = 'status'
self.AuthorizedUsersCommand = 'users'
self.AuthorizeCommand = 'authorize'
self.UnAuthorizeCommand = 'unauthorize'
self.AddSudoCommand = 'addsudo'
self.RmSudoCommand = 'rmsudo'
self.PingCommand = 'ping'
self.RestartCommand = 'restart'
self.StatsCommand = 'stats'
self.HelpCommand = 'help'
self.LogCommand = 'log'
self.SpeedCommand = 'speedtest'
self.CloneCommand = 'clone'
self.CountCommand = 'count'
self.WatchCommand = 'watch'
self.TarWatchCommand = 'tarwatch'
self.DeleteCommand = 'del'
self.ConfigMenuCommand = 'config'
self.ShellCommand = 'shell'
self.UpdateCommand = 'update'
self.ExecHelpCommand = 'exechelp'
self.TsHelpCommand = 'tshelp'
bot_commands = __bot_commands()
|
def CorsMiddleware(app):
def _set_headers(headers):
headers.append(('Access-Control-Allow-Origin', '*'))
headers.append(('Access-Control-Allow-Methods', '*'))
headers.append(('Access-Control-Allow-Headers', 'origin, content-type, accept'))
return headers
def middleware(environ, start_response):
if environ.get('REQUEST_METHOD') == 'OPTIONS':
headers = []
headers = _set_headers(headers)
start_response('200 OK', headers)
return []
def headers_start_response(status, headers, *args, **kwargs):
all_headers = [key.lower() for key, val in headers]
if 'access-control-allow-origin' not in all_headers:
headers = _set_headers(headers)
return start_response(status, headers, *args, **kwargs)
return app(environ, headers_start_response)
return middleware
|
def cors_middleware(app):
def _set_headers(headers):
headers.append(('Access-Control-Allow-Origin', '*'))
headers.append(('Access-Control-Allow-Methods', '*'))
headers.append(('Access-Control-Allow-Headers', 'origin, content-type, accept'))
return headers
def middleware(environ, start_response):
if environ.get('REQUEST_METHOD') == 'OPTIONS':
headers = []
headers = _set_headers(headers)
start_response('200 OK', headers)
return []
def headers_start_response(status, headers, *args, **kwargs):
all_headers = [key.lower() for (key, val) in headers]
if 'access-control-allow-origin' not in all_headers:
headers = _set_headers(headers)
return start_response(status, headers, *args, **kwargs)
return app(environ, headers_start_response)
return middleware
|
#IMPRIMIR UMA PALAVRA INSERIDA INVERTIDAMENTE
if __name__ == "__main__":
palavra = input()
for index in range(len(palavra) - 1, -1, -1):
print(palavra[index], end='')
|
if __name__ == '__main__':
palavra = input()
for index in range(len(palavra) - 1, -1, -1):
print(palavra[index], end='')
|
class Solution:
def minMalwareSpread(self, graph: List[List[int]], initial: List[int]) -> int:
if not graph: return -1
N = len(graph)
clean = set(range(N)) - set(initial)
parents = list(range(N))
size = [1] * N
def find(x):
if parents[x] != x:
parents[x] = find(parents[x])
return parents[x]
def union(x, y):
rx, ry = find(x), find(y)
if rx != ry:
if size[rx] < size[ry]:
parents[rx] = ry
size[ry] += size[rx]
else:
parents[ry] = rx
size[rx] += size[ry]
for u, v in itertools.combinations(clean, 2):
if graph[u][v]: union(u, v)
d = collections.defaultdict(set)
infectedTimes = collections.Counter()
for u in initial:
for v in clean:
if graph[u][v]: d[u].add(find(v))
for comm in d[u]:
infectedTimes[comm] += 1
count = [0] * N
for u, comms in d.items():
for comm in comms:
if infectedTimes[comm] == 1:
count[u] += size[comm]
maxi = max(count)
return count.index(maxi) if maxi != 0 else min(initial)
|
class Solution:
def min_malware_spread(self, graph: List[List[int]], initial: List[int]) -> int:
if not graph:
return -1
n = len(graph)
clean = set(range(N)) - set(initial)
parents = list(range(N))
size = [1] * N
def find(x):
if parents[x] != x:
parents[x] = find(parents[x])
return parents[x]
def union(x, y):
(rx, ry) = (find(x), find(y))
if rx != ry:
if size[rx] < size[ry]:
parents[rx] = ry
size[ry] += size[rx]
else:
parents[ry] = rx
size[rx] += size[ry]
for (u, v) in itertools.combinations(clean, 2):
if graph[u][v]:
union(u, v)
d = collections.defaultdict(set)
infected_times = collections.Counter()
for u in initial:
for v in clean:
if graph[u][v]:
d[u].add(find(v))
for comm in d[u]:
infectedTimes[comm] += 1
count = [0] * N
for (u, comms) in d.items():
for comm in comms:
if infectedTimes[comm] == 1:
count[u] += size[comm]
maxi = max(count)
return count.index(maxi) if maxi != 0 else min(initial)
|
class Person:
id = None
name = None
def __init__(self, id=None, name=None):
self.id = id
self.name = name
|
class Person:
id = None
name = None
def __init__(self, id=None, name=None):
self.id = id
self.name = name
|
def sort_gift_code(code: str) -> str:
my_letter = []
for letter in code:
my_letter.append(letter)
return ''.join(sorted(my_letter))
|
def sort_gift_code(code: str) -> str:
my_letter = []
for letter in code:
my_letter.append(letter)
return ''.join(sorted(my_letter))
|
#
# PySNMP MIB module PACKETEER-RTM-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/PACKETEER-RTM-MIB
# Produced by pysmi-0.3.4 at Wed May 1 14:36:08 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")
SingleValueConstraint, ConstraintsIntersection, ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ConstraintsIntersection", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion")
classIndex, psCommonMib = mibBuilder.importSymbols("PACKETEER-MIB", "classIndex", "psCommonMib")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
IpAddress, Counter32, iso, MibIdentifier, Gauge32, Unsigned32, Bits, Counter64, NotificationType, ObjectIdentity, MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, TimeTicks, Integer32 = mibBuilder.importSymbols("SNMPv2-SMI", "IpAddress", "Counter32", "iso", "MibIdentifier", "Gauge32", "Unsigned32", "Bits", "Counter64", "NotificationType", "ObjectIdentity", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "TimeTicks", "Integer32")
DateAndTime, TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "DateAndTime", "TextualConvention", "DisplayString")
psClassResponseTimes = MibIdentifier((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7))
classRTMConfigTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1), )
if mibBuilder.loadTexts: classRTMConfigTable.setStatus('mandatory')
if mibBuilder.loadTexts: classRTMConfigTable.setDescription('A table of parameters configuring the Response Time Management feature for each class. *** NOTE that these parameters are used to compute the other data in this MIB, and thus changing any of them causes a reset of most RTM data. Only the histograms (classTotalDelayTable, classServerDelayTable, and classNetworkDelayTable ) are unaffected.')
classRTMConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"))
if mibBuilder.loadTexts: classRTMConfigEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classRTMConfigEntry.setDescription('An entry containing the configurable Response Time Management parameters for a given class')
classTotalDelayThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayThreshold.setDescription('The time in milliseconds which constitutes the acceptable limit of aggregate delay for this class.')
classServiceLevelThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: classServiceLevelThreshold.setDescription('The percentage of transactions required NOT to be over threshold. If more than this percentage of transactions in an interval are over threshold, then this Interval is counted in the classIntervalsAboveTotalDelayThreshold variable. The default is 100.')
classTotalDelayTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2), )
if mibBuilder.loadTexts: classTotalDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayTable.setDescription("A list of traffic class aggregate delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classTotalDelayBucketCount.i.0")
classTotalDelayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"), (0, "PACKETEER-RTM-MIB", "classTotalDelayBucketLimit"))
if mibBuilder.loadTexts: classTotalDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayEntry.setDescription('An entry containing the count of observed network transactions in a given bucket. ')
classTotalDelayBucketLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classTotalDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classTotalDelayBucketCount.i ")
classTotalDelayBucketCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayBucketCount.setDescription('The count of transactions whose aggregate delay fell in this bucket. Transactions are defined according to classTransactionDefinition.')
classNetworkDelayTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3), )
if mibBuilder.loadTexts: classNetworkDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayTable.setDescription("A list of traffic class network delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classNetworkDelayBucketCount.i.0")
classNetworkDelayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"), (0, "PACKETEER-RTM-MIB", "classNetworkDelayBucketLimit"))
if mibBuilder.loadTexts: classNetworkDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayEntry.setDescription('An entry containing the count of observed network delay transactions in a given bucket. Transactions are defined according to classTransactionDefinition.')
classNetworkDelayBucketLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classNetworkDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classNetworkDelayBucketCount.i ")
classNetworkDelayBucketCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayBucketCount.setDescription('The count of observed network transactions for the class in this bucket. Transactions are defined according to classTransactionDefinition.')
classServerDelayTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4), )
if mibBuilder.loadTexts: classServerDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayTable.setDescription("A list of traffic class Server delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classServerDelayBucketCount.i.0")
classServerDelayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"), (0, "PACKETEER-RTM-MIB", "classServerDelayBucketLimit"))
if mibBuilder.loadTexts: classServerDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayEntry.setDescription('An entry containing the count of observed network transactions in a given bucket. ')
classServerDelayBucketLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classServerDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classServerDelayBucketCount.i ")
classServerDelayBucketCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1, 2), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayBucketCount.setDescription('The count of observed network transactions for the class in this bucket. Transactions are defined according to classTransactionDefinition.')
classRTMTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5), )
if mibBuilder.loadTexts: classRTMTable.setStatus('mandatory')
if mibBuilder.loadTexts: classRTMTable.setDescription('A table of readonly Response Time Management information about this class. All non-histogram information about RTM is kept in this table.')
classRTMEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"))
if mibBuilder.loadTexts: classRTMEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classRTMEntry.setDescription('An entry containing readonly Response Time Management information about this class.')
classTotalDelayMedian = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 1), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayMedian.setDescription('The median aggregate delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
classTotalDelayAverage = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 2), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayAverage.setDescription('The average aggregate delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
classTransactionsAboveTotalDelayThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTransactionsAboveTotalDelayThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: classTransactionsAboveTotalDelayThreshold.setDescription('The number of network transactions whose aggregate delay was greater than the value of classTotalDelayThreshold. Transactions are defined according to classTransactionDefinition.')
classIntervalsAboveServiceLevelThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 4), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classIntervalsAboveServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: classIntervalsAboveServiceLevelThreshold.setDescription("The number of intervals over the aggregate delay threshold, defined as those intervals with 'classIntervalServiceLevelThreshold'% or fewer transactions with aggregate delay less than 'classTotalDelayThreshold'.")
classLastIntervalAboveServiceLevelThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 5), DateAndTime()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classLastIntervalAboveServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts: classLastIntervalAboveServiceLevelThreshold.setDescription('The time at which the last interval ended which failed the service level threshold, in other words, the interval in which classIntervalServiceLevelThreshold% of the total transactions, or fewer, had total response times less than classTotalDelayThreshold. If there was no such interval, then this is set to a zero value.')
classServerDelayMedian = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 6), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayMedian.setDescription('The median server delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
classServerDelayAverage = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 7), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayAverage.setDescription('The average server delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
classNetworkDelayMedian = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 11), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayMedian.setDescription('The median network delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
classNetworkDelayAverage = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 12), Gauge32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayAverage.setDescription('The average network delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
classTransactionBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTransactionBytes.setStatus('mandatory')
if mibBuilder.loadTexts: classTransactionBytes.setDescription('The total number of bytes on this class involved in transactions, and thus eligible for RTM. Dividing this value by classTransactionsTotal provides the average size of a transaction for the class. This variable represents the low-order portion of a 64-bit value.')
classTransactionBytesHi = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTransactionBytesHi.setStatus('mandatory')
if mibBuilder.loadTexts: classTransactionBytesHi.setDescription('The total number of bytes on this class involved in transactions, and thus eligible for RTM. Dividing this value by classTransactionsTotal provides the average size of a transaction for the class. This variable represents the high-order portion of a 64-bit value.')
classRoundTripTime = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classRoundTripTime.setStatus('mandatory')
if mibBuilder.loadTexts: classRoundTripTime.setDescription('The time, in milliseconds, of a network round-trip, per transaction. Dividing this value by classTransactionsTotal gives an indication of the effective speed of the network for this class, which includes factors like queueing and retransmissions that may be controllable. This variable represents the low-order portion of a 64-bit value.')
classRoundTripTimeHi = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classRoundTripTimeHi.setStatus('mandatory')
if mibBuilder.loadTexts: classRoundTripTimeHi.setDescription('The time, in milliseconds, of a network round-trip, per transaction. Dividing this value by classTransactionsTotal gives an indication of the effective speed of the network for this class, which includes factors like queueing and retransmissions that may be controllable. This variable represents the high-order portion of a 64-bit value.')
classTransactionsTotal = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTransactionsTotal.setStatus('mandatory')
if mibBuilder.loadTexts: classTransactionsTotal.setDescription('The total number of transactions for this class. ')
classTotalDelayMsec = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayMsec.setDescription('The time, in milliseconds, of total delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
classTotalDelayMsecHi = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classTotalDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts: classTotalDelayMsecHi.setDescription('The time, in milliseconds, of total delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
classServerDelayMsec = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayMsec.setDescription('The time, in milliseconds, of server delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
classServerDelayMsecHi = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classServerDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts: classServerDelayMsecHi.setDescription('The time, in milliseconds, of server delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
classNetworkDelayMsec = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayMsec.setDescription('The time, in milliseconds, of network delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
classNetworkDelayMsecHi = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classNetworkDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts: classNetworkDelayMsecHi.setDescription('The time, in milliseconds, of network delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
classWorstServerTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6), )
if mibBuilder.loadTexts: classWorstServerTable.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstServerTable.setDescription("A list of the N servers which have handled more than M transactions, and are experiencing the worst behavior with respect to the response time threshold, if one has been set. 'N' and 'M' are fixed limits for any given release of PacketShaper software and are not settable. In release 4.0, N and M are 10. The table is ordered by classIndex and classWorstServerIndex.")
classWorstServerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"), (0, "PACKETEER-RTM-MIB", "classWorstServerIndex"))
if mibBuilder.loadTexts: classWorstServerEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstServerEntry.setDescription('An entry describing a server experiencing the worst behavior with respect to the response time threshold.')
classWorstServerIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstServerIndex.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstServerIndex.setDescription('A unique index from 1 to N, where N is a fixed limit, and a lower value denotes a lower ratio of good transactions.')
classWorstServerAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstServerAddress.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstServerAddress.setDescription('The address of this server.')
classWorstServerTransactionCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstServerTransactionCount.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstServerTransactionCount.setDescription('The number of transactions recorded for this server.')
classWorstClientTable = MibTable((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7), )
if mibBuilder.loadTexts: classWorstClientTable.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstClientTable.setDescription("A list of the N clients which have handled more than M transactions, and are experiencing the worst behavior with respect to the response time threshold, if one has been set. 'N' and 'M' are fixed limits for any given release of PacketShaper software and are not settable. In release 4.0, N and M are 10. The table is ordered by classIndex and classWorstClientIndex.")
classWorstClientEntry = MibTableRow((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1), ).setIndexNames((0, "PACKETEER-MIB", "classIndex"), (0, "PACKETEER-RTM-MIB", "classWorstClientIndex"))
if mibBuilder.loadTexts: classWorstClientEntry.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstClientEntry.setDescription('An entry describing a client experiencing the most sessions over the response time threshold.')
classWorstClientIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstClientIndex.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstClientIndex.setDescription('A unique index from 1 to N, where N is a fixed limit, and a lower value denotes a higher value of classWorstClientSessionCount.')
classWorstClientAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 2), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstClientAddress.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstClientAddress.setDescription('The address of this client.')
classWorstClientTransactionCount = MibTableColumn((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 3), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: classWorstClientTransactionCount.setStatus('mandatory')
if mibBuilder.loadTexts: classWorstClientTransactionCount.setDescription('The number of transactions recorded for this client.')
mibBuilder.exportSymbols("PACKETEER-RTM-MIB", classLastIntervalAboveServiceLevelThreshold=classLastIntervalAboveServiceLevelThreshold, classTransactionsTotal=classTransactionsTotal, classWorstServerTransactionCount=classWorstServerTransactionCount, classNetworkDelayMsec=classNetworkDelayMsec, classNetworkDelayTable=classNetworkDelayTable, classTransactionBytesHi=classTransactionBytesHi, classTotalDelayMedian=classTotalDelayMedian, classWorstServerEntry=classWorstServerEntry, classWorstClientIndex=classWorstClientIndex, classTotalDelayThreshold=classTotalDelayThreshold, classWorstClientAddress=classWorstClientAddress, classWorstServerTable=classWorstServerTable, classRTMConfigTable=classRTMConfigTable, classWorstClientTransactionCount=classWorstClientTransactionCount, classTotalDelayMsecHi=classTotalDelayMsecHi, classServerDelayMsec=classServerDelayMsec, classNetworkDelayMedian=classNetworkDelayMedian, classTransactionBytes=classTransactionBytes, classNetworkDelayAverage=classNetworkDelayAverage, classRoundTripTimeHi=classRoundTripTimeHi, classTransactionsAboveTotalDelayThreshold=classTransactionsAboveTotalDelayThreshold, classTotalDelayAverage=classTotalDelayAverage, classTotalDelayBucketCount=classTotalDelayBucketCount, classServiceLevelThreshold=classServiceLevelThreshold, classRoundTripTime=classRoundTripTime, classWorstServerAddress=classWorstServerAddress, classTotalDelayTable=classTotalDelayTable, classServerDelayBucketCount=classServerDelayBucketCount, classNetworkDelayBucketLimit=classNetworkDelayBucketLimit, classIntervalsAboveServiceLevelThreshold=classIntervalsAboveServiceLevelThreshold, classWorstServerIndex=classWorstServerIndex, classTotalDelayBucketLimit=classTotalDelayBucketLimit, classServerDelayTable=classServerDelayTable, classTotalDelayEntry=classTotalDelayEntry, classRTMEntry=classRTMEntry, classRTMConfigEntry=classRTMConfigEntry, classServerDelayAverage=classServerDelayAverage, classServerDelayBucketLimit=classServerDelayBucketLimit, classWorstClientTable=classWorstClientTable, classNetworkDelayBucketCount=classNetworkDelayBucketCount, classRTMTable=classRTMTable, classWorstClientEntry=classWorstClientEntry, psClassResponseTimes=psClassResponseTimes, classNetworkDelayEntry=classNetworkDelayEntry, classNetworkDelayMsecHi=classNetworkDelayMsecHi, classTotalDelayMsec=classTotalDelayMsec, classServerDelayMedian=classServerDelayMedian, classServerDelayMsecHi=classServerDelayMsecHi, classServerDelayEntry=classServerDelayEntry)
|
(octet_string, object_identifier, integer) = mibBuilder.importSymbols('ASN1', 'OctetString', 'ObjectIdentifier', 'Integer')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(single_value_constraint, constraints_intersection, value_size_constraint, value_range_constraint, constraints_union) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'SingleValueConstraint', 'ConstraintsIntersection', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion')
(class_index, ps_common_mib) = mibBuilder.importSymbols('PACKETEER-MIB', 'classIndex', 'psCommonMib')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(ip_address, counter32, iso, mib_identifier, gauge32, unsigned32, bits, counter64, notification_type, object_identity, mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, time_ticks, integer32) = mibBuilder.importSymbols('SNMPv2-SMI', 'IpAddress', 'Counter32', 'iso', 'MibIdentifier', 'Gauge32', 'Unsigned32', 'Bits', 'Counter64', 'NotificationType', 'ObjectIdentity', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'TimeTicks', 'Integer32')
(date_and_time, textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'DateAndTime', 'TextualConvention', 'DisplayString')
ps_class_response_times = mib_identifier((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7))
class_rtm_config_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1))
if mibBuilder.loadTexts:
classRTMConfigTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classRTMConfigTable.setDescription('A table of parameters configuring the Response Time Management feature for each class. *** NOTE that these parameters are used to compute the other data in this MIB, and thus changing any of them causes a reset of most RTM data. Only the histograms (classTotalDelayTable, classServerDelayTable, and classNetworkDelayTable ) are unaffected.')
class_rtm_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'))
if mibBuilder.loadTexts:
classRTMConfigEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classRTMConfigEntry.setDescription('An entry containing the configurable Response Time Management parameters for a given class')
class_total_delay_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayThreshold.setDescription('The time in milliseconds which constitutes the acceptable limit of aggregate delay for this class.')
class_service_level_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
classServiceLevelThreshold.setDescription('The percentage of transactions required NOT to be over threshold. If more than this percentage of transactions in an interval are over threshold, then this Interval is counted in the classIntervalsAboveTotalDelayThreshold variable. The default is 100.')
class_total_delay_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2))
if mibBuilder.loadTexts:
classTotalDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayTable.setDescription("A list of traffic class aggregate delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classTotalDelayBucketCount.i.0")
class_total_delay_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'), (0, 'PACKETEER-RTM-MIB', 'classTotalDelayBucketLimit'))
if mibBuilder.loadTexts:
classTotalDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayEntry.setDescription('An entry containing the count of observed network transactions in a given bucket. ')
class_total_delay_bucket_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classTotalDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classTotalDelayBucketCount.i ")
class_total_delay_bucket_count = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 2, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayBucketCount.setDescription('The count of transactions whose aggregate delay fell in this bucket. Transactions are defined according to classTransactionDefinition.')
class_network_delay_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3))
if mibBuilder.loadTexts:
classNetworkDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayTable.setDescription("A list of traffic class network delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classNetworkDelayBucketCount.i.0")
class_network_delay_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'), (0, 'PACKETEER-RTM-MIB', 'classNetworkDelayBucketLimit'))
if mibBuilder.loadTexts:
classNetworkDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayEntry.setDescription('An entry containing the count of observed network delay transactions in a given bucket. Transactions are defined according to classTransactionDefinition.')
class_network_delay_bucket_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classNetworkDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classNetworkDelayBucketCount.i ")
class_network_delay_bucket_count = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 3, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayBucketCount.setDescription('The count of observed network transactions for the class in this bucket. Transactions are defined according to classTransactionDefinition.')
class_server_delay_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4))
if mibBuilder.loadTexts:
classServerDelayTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayTable.setDescription("A list of traffic class Server delay entries. The table is indexed by two variables: the classIndex from classTable, and the lower limit of the bucket, in milliseconds. The histogram for any given class 'i' may thus be retrieved via GetNext of classServerDelayBucketCount.i.0")
class_server_delay_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'), (0, 'PACKETEER-RTM-MIB', 'classServerDelayBucketLimit'))
if mibBuilder.loadTexts:
classServerDelayEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayEntry.setDescription('An entry containing the count of observed network transactions in a given bucket. ')
class_server_delay_bucket_limit = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayBucketLimit.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayBucketLimit.setDescription("The lower limit, in milliseconds, of this bucket. NOTE: although the bucket limits are given for each class, this does NOT imply that they are different, and in fact they are the same for all classes. This is done to facilitate GetNext'ing through the table; for example the count of the next bucket larger than 1 second for class 'i' can be obtained by GetNext classServerDelayBucketCount.i.1000. The complete histogram for class i, with the limits for each bucket, can be obtained by GetNext classServerDelayBucketCount.i ")
class_server_delay_bucket_count = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 4, 1, 2), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayBucketCount.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayBucketCount.setDescription('The count of observed network transactions for the class in this bucket. Transactions are defined according to classTransactionDefinition.')
class_rtm_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5))
if mibBuilder.loadTexts:
classRTMTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classRTMTable.setDescription('A table of readonly Response Time Management information about this class. All non-histogram information about RTM is kept in this table.')
class_rtm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'))
if mibBuilder.loadTexts:
classRTMEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classRTMEntry.setDescription('An entry containing readonly Response Time Management information about this class.')
class_total_delay_median = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 1), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayMedian.setDescription('The median aggregate delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
class_total_delay_average = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 2), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayAverage.setDescription('The average aggregate delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
class_transactions_above_total_delay_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTransactionsAboveTotalDelayThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
classTransactionsAboveTotalDelayThreshold.setDescription('The number of network transactions whose aggregate delay was greater than the value of classTotalDelayThreshold. Transactions are defined according to classTransactionDefinition.')
class_intervals_above_service_level_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 4), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classIntervalsAboveServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
classIntervalsAboveServiceLevelThreshold.setDescription("The number of intervals over the aggregate delay threshold, defined as those intervals with 'classIntervalServiceLevelThreshold'% or fewer transactions with aggregate delay less than 'classTotalDelayThreshold'.")
class_last_interval_above_service_level_threshold = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 5), date_and_time()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classLastIntervalAboveServiceLevelThreshold.setStatus('mandatory')
if mibBuilder.loadTexts:
classLastIntervalAboveServiceLevelThreshold.setDescription('The time at which the last interval ended which failed the service level threshold, in other words, the interval in which classIntervalServiceLevelThreshold% of the total transactions, or fewer, had total response times less than classTotalDelayThreshold. If there was no such interval, then this is set to a zero value.')
class_server_delay_median = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 6), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayMedian.setDescription('The median server delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
class_server_delay_average = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 7), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayAverage.setDescription('The average server delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
class_network_delay_median = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 11), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayMedian.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayMedian.setDescription('The median network delay for this class, in milliseconds. Medians are calculated by an approximate method using the above histogram, whose error is at most 1/2 of the time interval spanned by the bucket into which the exact median falls.')
class_network_delay_average = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 12), gauge32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayAverage.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayAverage.setDescription('The average network delay for this class, in milliseconds. Use the average in conjunction with the median, since averages can be distorted by a few very large samples.')
class_transaction_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTransactionBytes.setStatus('mandatory')
if mibBuilder.loadTexts:
classTransactionBytes.setDescription('The total number of bytes on this class involved in transactions, and thus eligible for RTM. Dividing this value by classTransactionsTotal provides the average size of a transaction for the class. This variable represents the low-order portion of a 64-bit value.')
class_transaction_bytes_hi = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTransactionBytesHi.setStatus('mandatory')
if mibBuilder.loadTexts:
classTransactionBytesHi.setDescription('The total number of bytes on this class involved in transactions, and thus eligible for RTM. Dividing this value by classTransactionsTotal provides the average size of a transaction for the class. This variable represents the high-order portion of a 64-bit value.')
class_round_trip_time = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classRoundTripTime.setStatus('mandatory')
if mibBuilder.loadTexts:
classRoundTripTime.setDescription('The time, in milliseconds, of a network round-trip, per transaction. Dividing this value by classTransactionsTotal gives an indication of the effective speed of the network for this class, which includes factors like queueing and retransmissions that may be controllable. This variable represents the low-order portion of a 64-bit value.')
class_round_trip_time_hi = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classRoundTripTimeHi.setStatus('mandatory')
if mibBuilder.loadTexts:
classRoundTripTimeHi.setDescription('The time, in milliseconds, of a network round-trip, per transaction. Dividing this value by classTransactionsTotal gives an indication of the effective speed of the network for this class, which includes factors like queueing and retransmissions that may be controllable. This variable represents the high-order portion of a 64-bit value.')
class_transactions_total = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTransactionsTotal.setStatus('mandatory')
if mibBuilder.loadTexts:
classTransactionsTotal.setDescription('The total number of transactions for this class. ')
class_total_delay_msec = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayMsec.setDescription('The time, in milliseconds, of total delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
class_total_delay_msec_hi = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classTotalDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts:
classTotalDelayMsecHi.setDescription('The time, in milliseconds, of total delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
class_server_delay_msec = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayMsec.setDescription('The time, in milliseconds, of server delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
class_server_delay_msec_hi = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classServerDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts:
classServerDelayMsecHi.setDescription('The time, in milliseconds, of server delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
class_network_delay_msec = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 22), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayMsec.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayMsec.setDescription('The time, in milliseconds, of network delay, per transaction. This variable represents the low-order portion of a 64-bit value.')
class_network_delay_msec_hi = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 5, 1, 23), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classNetworkDelayMsecHi.setStatus('mandatory')
if mibBuilder.loadTexts:
classNetworkDelayMsecHi.setDescription('The time, in milliseconds, of network delay, per transaction. This variable represents the high-order portion of a 64-bit value.')
class_worst_server_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6))
if mibBuilder.loadTexts:
classWorstServerTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstServerTable.setDescription("A list of the N servers which have handled more than M transactions, and are experiencing the worst behavior with respect to the response time threshold, if one has been set. 'N' and 'M' are fixed limits for any given release of PacketShaper software and are not settable. In release 4.0, N and M are 10. The table is ordered by classIndex and classWorstServerIndex.")
class_worst_server_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'), (0, 'PACKETEER-RTM-MIB', 'classWorstServerIndex'))
if mibBuilder.loadTexts:
classWorstServerEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstServerEntry.setDescription('An entry describing a server experiencing the worst behavior with respect to the response time threshold.')
class_worst_server_index = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstServerIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstServerIndex.setDescription('A unique index from 1 to N, where N is a fixed limit, and a lower value denotes a lower ratio of good transactions.')
class_worst_server_address = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstServerAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstServerAddress.setDescription('The address of this server.')
class_worst_server_transaction_count = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 6, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstServerTransactionCount.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstServerTransactionCount.setDescription('The number of transactions recorded for this server.')
class_worst_client_table = mib_table((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7))
if mibBuilder.loadTexts:
classWorstClientTable.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstClientTable.setDescription("A list of the N clients which have handled more than M transactions, and are experiencing the worst behavior with respect to the response time threshold, if one has been set. 'N' and 'M' are fixed limits for any given release of PacketShaper software and are not settable. In release 4.0, N and M are 10. The table is ordered by classIndex and classWorstClientIndex.")
class_worst_client_entry = mib_table_row((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1)).setIndexNames((0, 'PACKETEER-MIB', 'classIndex'), (0, 'PACKETEER-RTM-MIB', 'classWorstClientIndex'))
if mibBuilder.loadTexts:
classWorstClientEntry.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstClientEntry.setDescription('An entry describing a client experiencing the most sessions over the response time threshold.')
class_worst_client_index = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstClientIndex.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstClientIndex.setDescription('A unique index from 1 to N, where N is a fixed limit, and a lower value denotes a higher value of classWorstClientSessionCount.')
class_worst_client_address = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 2), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstClientAddress.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstClientAddress.setDescription('The address of this client.')
class_worst_client_transaction_count = mib_table_column((1, 3, 6, 1, 4, 1, 2334, 2, 1, 7, 7, 1, 3), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
classWorstClientTransactionCount.setStatus('mandatory')
if mibBuilder.loadTexts:
classWorstClientTransactionCount.setDescription('The number of transactions recorded for this client.')
mibBuilder.exportSymbols('PACKETEER-RTM-MIB', classLastIntervalAboveServiceLevelThreshold=classLastIntervalAboveServiceLevelThreshold, classTransactionsTotal=classTransactionsTotal, classWorstServerTransactionCount=classWorstServerTransactionCount, classNetworkDelayMsec=classNetworkDelayMsec, classNetworkDelayTable=classNetworkDelayTable, classTransactionBytesHi=classTransactionBytesHi, classTotalDelayMedian=classTotalDelayMedian, classWorstServerEntry=classWorstServerEntry, classWorstClientIndex=classWorstClientIndex, classTotalDelayThreshold=classTotalDelayThreshold, classWorstClientAddress=classWorstClientAddress, classWorstServerTable=classWorstServerTable, classRTMConfigTable=classRTMConfigTable, classWorstClientTransactionCount=classWorstClientTransactionCount, classTotalDelayMsecHi=classTotalDelayMsecHi, classServerDelayMsec=classServerDelayMsec, classNetworkDelayMedian=classNetworkDelayMedian, classTransactionBytes=classTransactionBytes, classNetworkDelayAverage=classNetworkDelayAverage, classRoundTripTimeHi=classRoundTripTimeHi, classTransactionsAboveTotalDelayThreshold=classTransactionsAboveTotalDelayThreshold, classTotalDelayAverage=classTotalDelayAverage, classTotalDelayBucketCount=classTotalDelayBucketCount, classServiceLevelThreshold=classServiceLevelThreshold, classRoundTripTime=classRoundTripTime, classWorstServerAddress=classWorstServerAddress, classTotalDelayTable=classTotalDelayTable, classServerDelayBucketCount=classServerDelayBucketCount, classNetworkDelayBucketLimit=classNetworkDelayBucketLimit, classIntervalsAboveServiceLevelThreshold=classIntervalsAboveServiceLevelThreshold, classWorstServerIndex=classWorstServerIndex, classTotalDelayBucketLimit=classTotalDelayBucketLimit, classServerDelayTable=classServerDelayTable, classTotalDelayEntry=classTotalDelayEntry, classRTMEntry=classRTMEntry, classRTMConfigEntry=classRTMConfigEntry, classServerDelayAverage=classServerDelayAverage, classServerDelayBucketLimit=classServerDelayBucketLimit, classWorstClientTable=classWorstClientTable, classNetworkDelayBucketCount=classNetworkDelayBucketCount, classRTMTable=classRTMTable, classWorstClientEntry=classWorstClientEntry, psClassResponseTimes=psClassResponseTimes, classNetworkDelayEntry=classNetworkDelayEntry, classNetworkDelayMsecHi=classNetworkDelayMsecHi, classTotalDelayMsec=classTotalDelayMsec, classServerDelayMedian=classServerDelayMedian, classServerDelayMsecHi=classServerDelayMsecHi, classServerDelayEntry=classServerDelayEntry)
|
i = 0 #defines an integer i
while(i<119): #while i is less than 119, do the following
print(i) #prints the current value of i
i += 10 #add 10 to i
|
i = 0
while i < 119:
print(i)
i += 10
|
# print(111)
def main():
p = {
'a':1,
'b':2,
'c':3,
'd':4,
'e':5
}
print(p)
print('i' in p.keys())
if __name__ == '__main__':
main()
|
def main():
p = {'a': 1, 'b': 2, 'c': 3, 'd': 4, 'e': 5}
print(p)
print('i' in p.keys())
if __name__ == '__main__':
main()
|
DEPRECATION_WARNING = (
"WARNING: We will end support of the ArcGIS interface by the 1st of May of 2019. This means that there will "
"not be anymore tutorials nor advice on how to use this interface. You could still use this interface on "
"your own. We invite all CEA users to get acquainted with the CEA Dashboard. The CEA dashboard is our "
"new 100% open source user interface. We will aim to create a first tutorial on how to use this interface "
"by mid-april of 2019.")
|
deprecation_warning = 'WARNING: We will end support of the ArcGIS interface by the 1st of May of 2019. This means that there will not be anymore tutorials nor advice on how to use this interface. You could still use this interface on your own. We invite all CEA users to get acquainted with the CEA Dashboard. The CEA dashboard is our new 100% open source user interface. We will aim to create a first tutorial on how to use this interface by mid-april of 2019.'
|
# coding: utf-8
test_group = 'test_group'
test_event = 'test_event'
test_value_str = 'test_value'
test_value_int = 123
test_value_int_zero = 0
test_value_float = 123.0
test_value_float_zero = 0.0
test_value_none = None
test_label = 'test_label'
test_value_list = [
test_value_str, test_value_int, test_value_float,
test_value_int_zero, test_value_float_zero, test_value_none
]
test_username = 'test'
test_password = 'test'
|
test_group = 'test_group'
test_event = 'test_event'
test_value_str = 'test_value'
test_value_int = 123
test_value_int_zero = 0
test_value_float = 123.0
test_value_float_zero = 0.0
test_value_none = None
test_label = 'test_label'
test_value_list = [test_value_str, test_value_int, test_value_float, test_value_int_zero, test_value_float_zero, test_value_none]
test_username = 'test'
test_password = 'test'
|
# This file is auto-generated. Do not edit!
DAQmx_Buf_Input_BufSize = 0x186C
DAQmx_Buf_Input_OnbrdBufSize = 0x230A
DAQmx_Buf_Output_BufSize = 0x186D
DAQmx_Buf_Output_OnbrdBufSize = 0x230B
DAQmx_SelfCal_Supported = 0x1860
DAQmx_SelfCal_LastTemp = 0x1864
DAQmx_ExtCal_RecommendedInterval = 0x1868
DAQmx_ExtCal_LastTemp = 0x1867
DAQmx_Cal_UserDefinedInfo = 0x1861
DAQmx_Cal_UserDefinedInfo_MaxSize = 0x191C
DAQmx_Cal_DevTemp = 0x223B
DAQmx_AI_Max = 0x17DD
DAQmx_AI_Min = 0x17DE
DAQmx_AI_CustomScaleName = 0x17E0
DAQmx_AI_MeasType = 0x0695
DAQmx_AI_Voltage_Units = 0x1094
DAQmx_AI_Voltage_dBRef = 0x29B0
DAQmx_AI_Voltage_ACRMS_Units = 0x17E2
DAQmx_AI_Temp_Units = 0x1033
DAQmx_AI_Thrmcpl_Type = 0x1050
DAQmx_AI_Thrmcpl_ScaleType = 0x29D0
DAQmx_AI_Thrmcpl_CJCSrc = 0x1035
DAQmx_AI_Thrmcpl_CJCVal = 0x1036
DAQmx_AI_Thrmcpl_CJCChan = 0x1034
DAQmx_AI_RTD_Type = 0x1032
DAQmx_AI_RTD_R0 = 0x1030
DAQmx_AI_RTD_A = 0x1010
DAQmx_AI_RTD_B = 0x1011
DAQmx_AI_RTD_C = 0x1013
DAQmx_AI_Thrmstr_A = 0x18C9
DAQmx_AI_Thrmstr_B = 0x18CB
DAQmx_AI_Thrmstr_C = 0x18CA
DAQmx_AI_Thrmstr_R1 = 0x1061
DAQmx_AI_ForceReadFromChan = 0x18F8
DAQmx_AI_Current_Units = 0x0701
DAQmx_AI_Current_ACRMS_Units = 0x17E3
DAQmx_AI_Strain_Units = 0x0981
DAQmx_AI_StrainGage_GageFactor = 0x0994
DAQmx_AI_StrainGage_PoissonRatio = 0x0998
DAQmx_AI_StrainGage_Cfg = 0x0982
DAQmx_AI_Resistance_Units = 0x0955
DAQmx_AI_Freq_Units = 0x0806
DAQmx_AI_Freq_ThreshVoltage = 0x0815
DAQmx_AI_Freq_Hyst = 0x0814
DAQmx_AI_LVDT_Units = 0x0910
DAQmx_AI_LVDT_Sensitivity = 0x0939
DAQmx_AI_LVDT_SensitivityUnits = 0x219A
DAQmx_AI_RVDT_Units = 0x0877
DAQmx_AI_RVDT_Sensitivity = 0x0903
DAQmx_AI_RVDT_SensitivityUnits = 0x219B
DAQmx_AI_EddyCurrentProxProbe_Units = 0x2AC0
DAQmx_AI_EddyCurrentProxProbe_Sensitivity = 0x2ABE
DAQmx_AI_EddyCurrentProxProbe_SensitivityUnits = 0x2ABF
DAQmx_AI_SoundPressure_MaxSoundPressureLvl = 0x223A
DAQmx_AI_SoundPressure_Units = 0x1528
DAQmx_AI_SoundPressure_dBRef = 0x29B1
DAQmx_AI_Microphone_Sensitivity = 0x1536
DAQmx_AI_Accel_Units = 0x0673
DAQmx_AI_Accel_dBRef = 0x29B2
DAQmx_AI_Accel_Sensitivity = 0x0692
DAQmx_AI_Accel_SensitivityUnits = 0x219C
DAQmx_AI_Is_TEDS = 0x2983
DAQmx_AI_TEDS_Units = 0x21E0
DAQmx_AI_Coupling = 0x0064
DAQmx_AI_Impedance = 0x0062
DAQmx_AI_TermCfg = 0x1097
DAQmx_AI_InputSrc = 0x2198
DAQmx_AI_ResistanceCfg = 0x1881
DAQmx_AI_LeadWireResistance = 0x17EE
DAQmx_AI_Bridge_Cfg = 0x0087
DAQmx_AI_Bridge_NomResistance = 0x17EC
DAQmx_AI_Bridge_InitialVoltage = 0x17ED
DAQmx_AI_Bridge_ShuntCal_Enable = 0x0094
DAQmx_AI_Bridge_ShuntCal_Select = 0x21D5
DAQmx_AI_Bridge_ShuntCal_GainAdjust = 0x193F
DAQmx_AI_Bridge_Balance_CoarsePot = 0x17F1
DAQmx_AI_Bridge_Balance_FinePot = 0x18F4
DAQmx_AI_CurrentShunt_Loc = 0x17F2
DAQmx_AI_CurrentShunt_Resistance = 0x17F3
DAQmx_AI_Excit_Src = 0x17F4
DAQmx_AI_Excit_Val = 0x17F5
DAQmx_AI_Excit_UseForScaling = 0x17FC
DAQmx_AI_Excit_UseMultiplexed = 0x2180
DAQmx_AI_Excit_ActualVal = 0x1883
DAQmx_AI_Excit_DCorAC = 0x17FB
DAQmx_AI_Excit_VoltageOrCurrent = 0x17F6
DAQmx_AI_ACExcit_Freq = 0x0101
DAQmx_AI_ACExcit_SyncEnable = 0x0102
DAQmx_AI_ACExcit_WireMode = 0x18CD
DAQmx_AI_Atten = 0x1801
DAQmx_AI_ProbeAtten = 0x2A88
DAQmx_AI_Lowpass_Enable = 0x1802
DAQmx_AI_Lowpass_CutoffFreq = 0x1803
DAQmx_AI_Lowpass_SwitchCap_ClkSrc = 0x1884
DAQmx_AI_Lowpass_SwitchCap_ExtClkFreq = 0x1885
DAQmx_AI_Lowpass_SwitchCap_ExtClkDiv = 0x1886
DAQmx_AI_Lowpass_SwitchCap_OutClkDiv = 0x1887
DAQmx_AI_ResolutionUnits = 0x1764
DAQmx_AI_Resolution = 0x1765
DAQmx_AI_RawSampSize = 0x22DA
DAQmx_AI_RawSampJustification = 0x0050
DAQmx_AI_ADCTimingMode = 0x29F9
DAQmx_AI_Dither_Enable = 0x0068
DAQmx_AI_ChanCal_HasValidCalInfo = 0x2297
DAQmx_AI_ChanCal_EnableCal = 0x2298
DAQmx_AI_ChanCal_ApplyCalIfExp = 0x2299
DAQmx_AI_ChanCal_ScaleType = 0x229C
DAQmx_AI_ChanCal_Table_PreScaledVals = 0x229D
DAQmx_AI_ChanCal_Table_ScaledVals = 0x229E
DAQmx_AI_ChanCal_Poly_ForwardCoeff = 0x229F
DAQmx_AI_ChanCal_Poly_ReverseCoeff = 0x22A0
DAQmx_AI_ChanCal_OperatorName = 0x22A3
DAQmx_AI_ChanCal_Desc = 0x22A4
DAQmx_AI_ChanCal_Verif_RefVals = 0x22A1
DAQmx_AI_ChanCal_Verif_AcqVals = 0x22A2
DAQmx_AI_Rng_High = 0x1815
DAQmx_AI_Rng_Low = 0x1816
DAQmx_AI_DCOffset = 0x2A89
DAQmx_AI_Gain = 0x1818
DAQmx_AI_SampAndHold_Enable = 0x181A
DAQmx_AI_AutoZeroMode = 0x1760
DAQmx_AI_DataXferMech = 0x1821
DAQmx_AI_DataXferReqCond = 0x188B
DAQmx_AI_DataXferCustomThreshold = 0x230C
DAQmx_AI_UsbXferReqSize = 0x2A8E
DAQmx_AI_MemMapEnable = 0x188C
DAQmx_AI_RawDataCompressionType = 0x22D8
DAQmx_AI_LossyLSBRemoval_CompressedSampSize = 0x22D9
DAQmx_AI_DevScalingCoeff = 0x1930
DAQmx_AI_EnhancedAliasRejectionEnable = 0x2294
DAQmx_AO_Max = 0x1186
DAQmx_AO_Min = 0x1187
DAQmx_AO_CustomScaleName = 0x1188
DAQmx_AO_OutputType = 0x1108
DAQmx_AO_Voltage_Units = 0x1184
DAQmx_AO_Voltage_CurrentLimit = 0x2A1D
DAQmx_AO_Current_Units = 0x1109
DAQmx_AO_FuncGen_Type = 0x2A18
DAQmx_AO_FuncGen_Freq = 0x2A19
DAQmx_AO_FuncGen_Amplitude = 0x2A1A
DAQmx_AO_FuncGen_Offset = 0x2A1B
DAQmx_AO_FuncGen_Square_DutyCycle = 0x2A1C
DAQmx_AO_FuncGen_ModulationType = 0x2A22
DAQmx_AO_FuncGen_FMDeviation = 0x2A23
DAQmx_AO_OutputImpedance = 0x1490
DAQmx_AO_LoadImpedance = 0x0121
DAQmx_AO_IdleOutputBehavior = 0x2240
DAQmx_AO_TermCfg = 0x188E
DAQmx_AO_ResolutionUnits = 0x182B
DAQmx_AO_Resolution = 0x182C
DAQmx_AO_DAC_Rng_High = 0x182E
DAQmx_AO_DAC_Rng_Low = 0x182D
DAQmx_AO_DAC_Ref_ConnToGnd = 0x0130
DAQmx_AO_DAC_Ref_AllowConnToGnd = 0x1830
DAQmx_AO_DAC_Ref_Src = 0x0132
DAQmx_AO_DAC_Ref_ExtSrc = 0x2252
DAQmx_AO_DAC_Ref_Val = 0x1832
DAQmx_AO_DAC_Offset_Src = 0x2253
DAQmx_AO_DAC_Offset_ExtSrc = 0x2254
DAQmx_AO_DAC_Offset_Val = 0x2255
DAQmx_AO_ReglitchEnable = 0x0133
DAQmx_AO_Gain = 0x0118
DAQmx_AO_UseOnlyOnBrdMem = 0x183A
DAQmx_AO_DataXferMech = 0x0134
DAQmx_AO_DataXferReqCond = 0x183C
DAQmx_AO_UsbXferReqSize = 0x2A8F
DAQmx_AO_MemMapEnable = 0x188F
DAQmx_AO_DevScalingCoeff = 0x1931
DAQmx_AO_EnhancedImageRejectionEnable = 0x2241
DAQmx_DI_InvertLines = 0x0793
DAQmx_DI_NumLines = 0x2178
DAQmx_DI_DigFltr_Enable = 0x21D6
DAQmx_DI_DigFltr_MinPulseWidth = 0x21D7
DAQmx_DI_DigFltr_EnableBusMode = 0x2EFE
DAQmx_DI_DigFltr_TimebaseSrc = 0x2ED4
DAQmx_DI_DigFltr_TimebaseRate = 0x2ED5
DAQmx_DI_DigSync_Enable = 0x2ED6
DAQmx_DI_Tristate = 0x1890
DAQmx_DI_LogicFamily = 0x296D
DAQmx_DI_DataXferMech = 0x2263
DAQmx_DI_DataXferReqCond = 0x2264
DAQmx_DI_UsbXferReqSize = 0x2A90
DAQmx_DI_MemMapEnable = 0x296A
DAQmx_DI_AcquireOn = 0x2966
DAQmx_DO_OutputDriveType = 0x1137
DAQmx_DO_InvertLines = 0x1133
DAQmx_DO_NumLines = 0x2179
DAQmx_DO_Tristate = 0x18F3
DAQmx_DO_LineStates_StartState = 0x2972
DAQmx_DO_LineStates_PausedState = 0x2967
DAQmx_DO_LineStates_DoneState = 0x2968
DAQmx_DO_LogicFamily = 0x296E
DAQmx_DO_Overcurrent_Limit = 0x2A85
DAQmx_DO_Overcurrent_AutoReenable = 0x2A86
DAQmx_DO_Overcurrent_ReenablePeriod = 0x2A87
DAQmx_DO_UseOnlyOnBrdMem = 0x2265
DAQmx_DO_DataXferMech = 0x2266
DAQmx_DO_DataXferReqCond = 0x2267
DAQmx_DO_UsbXferReqSize = 0x2A91
DAQmx_DO_MemMapEnable = 0x296B
DAQmx_DO_GenerateOn = 0x2969
DAQmx_CI_Max = 0x189C
DAQmx_CI_Min = 0x189D
DAQmx_CI_CustomScaleName = 0x189E
DAQmx_CI_MeasType = 0x18A0
DAQmx_CI_Freq_Units = 0x18A1
DAQmx_CI_Freq_Term = 0x18A2
DAQmx_CI_Freq_StartingEdge = 0x0799
DAQmx_CI_Freq_MeasMeth = 0x0144
DAQmx_CI_Freq_EnableAveraging = 0x2ED0
DAQmx_CI_Freq_MeasTime = 0x0145
DAQmx_CI_Freq_Div = 0x0147
DAQmx_CI_Freq_DigFltr_Enable = 0x21E7
DAQmx_CI_Freq_DigFltr_MinPulseWidth = 0x21E8
DAQmx_CI_Freq_DigFltr_TimebaseSrc = 0x21E9
DAQmx_CI_Freq_DigFltr_TimebaseRate = 0x21EA
DAQmx_CI_Freq_DigSync_Enable = 0x21EB
DAQmx_CI_Period_Units = 0x18A3
DAQmx_CI_Period_Term = 0x18A4
DAQmx_CI_Period_StartingEdge = 0x0852
DAQmx_CI_Period_MeasMeth = 0x192C
DAQmx_CI_Period_EnableAveraging = 0x2ED1
DAQmx_CI_Period_MeasTime = 0x192D
DAQmx_CI_Period_Div = 0x192E
DAQmx_CI_Period_DigFltr_Enable = 0x21EC
DAQmx_CI_Period_DigFltr_MinPulseWidth = 0x21ED
DAQmx_CI_Period_DigFltr_TimebaseSrc = 0x21EE
DAQmx_CI_Period_DigFltr_TimebaseRate = 0x21EF
DAQmx_CI_Period_DigSync_Enable = 0x21F0
DAQmx_CI_CountEdges_Term = 0x18C7
DAQmx_CI_CountEdges_Dir = 0x0696
DAQmx_CI_CountEdges_DirTerm = 0x21E1
DAQmx_CI_CountEdges_CountDir_DigFltr_Enable = 0x21F1
DAQmx_CI_CountEdges_CountDir_DigFltr_MinPulseWidth = 0x21F2
DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseSrc = 0x21F3
DAQmx_CI_CountEdges_CountDir_DigFltr_TimebaseRate = 0x21F4
DAQmx_CI_CountEdges_CountDir_DigSync_Enable = 0x21F5
DAQmx_CI_CountEdges_InitialCnt = 0x0698
DAQmx_CI_CountEdges_ActiveEdge = 0x0697
DAQmx_CI_CountEdges_DigFltr_Enable = 0x21F6
DAQmx_CI_CountEdges_DigFltr_MinPulseWidth = 0x21F7
DAQmx_CI_CountEdges_DigFltr_TimebaseSrc = 0x21F8
DAQmx_CI_CountEdges_DigFltr_TimebaseRate = 0x21F9
DAQmx_CI_CountEdges_DigSync_Enable = 0x21FA
DAQmx_CI_AngEncoder_Units = 0x18A6
DAQmx_CI_AngEncoder_PulsesPerRev = 0x0875
DAQmx_CI_AngEncoder_InitialAngle = 0x0881
DAQmx_CI_LinEncoder_Units = 0x18A9
DAQmx_CI_LinEncoder_DistPerPulse = 0x0911
DAQmx_CI_LinEncoder_InitialPos = 0x0915
DAQmx_CI_Encoder_DecodingType = 0x21E6
DAQmx_CI_Encoder_AInputTerm = 0x219D
DAQmx_CI_Encoder_AInput_DigFltr_Enable = 0x21FB
DAQmx_CI_Encoder_AInput_DigFltr_MinPulseWidth = 0x21FC
DAQmx_CI_Encoder_AInput_DigFltr_TimebaseSrc = 0x21FD
DAQmx_CI_Encoder_AInput_DigFltr_TimebaseRate = 0x21FE
DAQmx_CI_Encoder_AInput_DigSync_Enable = 0x21FF
DAQmx_CI_Encoder_BInputTerm = 0x219E
DAQmx_CI_Encoder_BInput_DigFltr_Enable = 0x2200
DAQmx_CI_Encoder_BInput_DigFltr_MinPulseWidth = 0x2201
DAQmx_CI_Encoder_BInput_DigFltr_TimebaseSrc = 0x2202
DAQmx_CI_Encoder_BInput_DigFltr_TimebaseRate = 0x2203
DAQmx_CI_Encoder_BInput_DigSync_Enable = 0x2204
DAQmx_CI_Encoder_ZInputTerm = 0x219F
DAQmx_CI_Encoder_ZInput_DigFltr_Enable = 0x2205
DAQmx_CI_Encoder_ZInput_DigFltr_MinPulseWidth = 0x2206
DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseSrc = 0x2207
DAQmx_CI_Encoder_ZInput_DigFltr_TimebaseRate = 0x2208
DAQmx_CI_Encoder_ZInput_DigSync_Enable = 0x2209
DAQmx_CI_Encoder_ZIndexEnable = 0x0890
DAQmx_CI_Encoder_ZIndexVal = 0x0888
DAQmx_CI_Encoder_ZIndexPhase = 0x0889
DAQmx_CI_PulseWidth_Units = 0x0823
DAQmx_CI_PulseWidth_Term = 0x18AA
DAQmx_CI_PulseWidth_StartingEdge = 0x0825
DAQmx_CI_PulseWidth_DigFltr_Enable = 0x220A
DAQmx_CI_PulseWidth_DigFltr_MinPulseWidth = 0x220B
DAQmx_CI_PulseWidth_DigFltr_TimebaseSrc = 0x220C
DAQmx_CI_PulseWidth_DigFltr_TimebaseRate = 0x220D
DAQmx_CI_PulseWidth_DigSync_Enable = 0x220E
DAQmx_CI_TwoEdgeSep_Units = 0x18AC
DAQmx_CI_TwoEdgeSep_FirstTerm = 0x18AD
DAQmx_CI_TwoEdgeSep_FirstEdge = 0x0833
DAQmx_CI_TwoEdgeSep_First_DigFltr_Enable = 0x220F
DAQmx_CI_TwoEdgeSep_First_DigFltr_MinPulseWidth = 0x2210
DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseSrc = 0x2211
DAQmx_CI_TwoEdgeSep_First_DigFltr_TimebaseRate = 0x2212
DAQmx_CI_TwoEdgeSep_First_DigSync_Enable = 0x2213
DAQmx_CI_TwoEdgeSep_SecondTerm = 0x18AE
DAQmx_CI_TwoEdgeSep_SecondEdge = 0x0834
DAQmx_CI_TwoEdgeSep_Second_DigFltr_Enable = 0x2214
DAQmx_CI_TwoEdgeSep_Second_DigFltr_MinPulseWidth = 0x2215
DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseSrc = 0x2216
DAQmx_CI_TwoEdgeSep_Second_DigFltr_TimebaseRate = 0x2217
DAQmx_CI_TwoEdgeSep_Second_DigSync_Enable = 0x2218
DAQmx_CI_SemiPeriod_Units = 0x18AF
DAQmx_CI_SemiPeriod_Term = 0x18B0
DAQmx_CI_SemiPeriod_StartingEdge = 0x22FE
DAQmx_CI_SemiPeriod_DigFltr_Enable = 0x2219
DAQmx_CI_SemiPeriod_DigFltr_MinPulseWidth = 0x221A
DAQmx_CI_SemiPeriod_DigFltr_TimebaseSrc = 0x221B
DAQmx_CI_SemiPeriod_DigFltr_TimebaseRate = 0x221C
DAQmx_CI_SemiPeriod_DigSync_Enable = 0x221D
DAQmx_CI_Pulse_Freq_Units = 0x2F0B
DAQmx_CI_Pulse_Freq_Term = 0x2F04
DAQmx_CI_Pulse_Freq_Start_Edge = 0x2F05
DAQmx_CI_Pulse_Freq_DigFltr_Enable = 0x2F06
DAQmx_CI_Pulse_Freq_DigFltr_MinPulseWidth = 0x2F07
DAQmx_CI_Pulse_Freq_DigFltr_TimebaseSrc = 0x2F08
DAQmx_CI_Pulse_Freq_DigFltr_TimebaseRate = 0x2F09
DAQmx_CI_Pulse_Freq_DigSync_Enable = 0x2F0A
DAQmx_CI_Pulse_Time_Units = 0x2F13
DAQmx_CI_Pulse_Time_Term = 0x2F0C
DAQmx_CI_Pulse_Time_StartEdge = 0x2F0D
DAQmx_CI_Pulse_Time_DigFltr_Enable = 0x2F0E
DAQmx_CI_Pulse_Time_DigFltr_MinPulseWidth = 0x2F0F
DAQmx_CI_Pulse_Time_DigFltr_TimebaseSrc = 0x2F10
DAQmx_CI_Pulse_Time_DigFltr_TimebaseRate = 0x2F11
DAQmx_CI_Pulse_Time_DigSync_Enable = 0x2F12
DAQmx_CI_Pulse_Ticks_Term = 0x2F14
DAQmx_CI_Pulse_Ticks_StartEdge = 0x2F15
DAQmx_CI_Pulse_Ticks_DigFltr_Enable = 0x2F16
DAQmx_CI_Pulse_Ticks_DigFltr_MinPulseWidth = 0x2F17
DAQmx_CI_Pulse_Ticks_DigFltr_TimebaseSrc = 0x2F18
DAQmx_CI_Pulse_Ticks_DigFltr_TimebaseRate = 0x2F19
DAQmx_CI_Pulse_Ticks_DigSync_Enable = 0x2F1A
DAQmx_CI_Timestamp_Units = 0x22B3
DAQmx_CI_Timestamp_InitialSeconds = 0x22B4
DAQmx_CI_GPS_SyncMethod = 0x1092
DAQmx_CI_GPS_SyncSrc = 0x1093
DAQmx_CI_CtrTimebaseSrc = 0x0143
DAQmx_CI_CtrTimebaseRate = 0x18B2
DAQmx_CI_CtrTimebaseActiveEdge = 0x0142
DAQmx_CI_CtrTimebase_DigFltr_Enable = 0x2271
DAQmx_CI_CtrTimebase_DigFltr_MinPulseWidth = 0x2272
DAQmx_CI_CtrTimebase_DigFltr_TimebaseSrc = 0x2273
DAQmx_CI_CtrTimebase_DigFltr_TimebaseRate = 0x2274
DAQmx_CI_CtrTimebase_DigSync_Enable = 0x2275
DAQmx_CI_Count = 0x0148
DAQmx_CI_OutputState = 0x0149
DAQmx_CI_TCReached = 0x0150
DAQmx_CI_CtrTimebaseMasterTimebaseDiv = 0x18B3
DAQmx_CI_DataXferMech = 0x0200
DAQmx_CI_DataXferReqCond = 0x2EFB
DAQmx_CI_UsbXferReqSize = 0x2A92
DAQmx_CI_MemMapEnable = 0x2ED2
DAQmx_CI_NumPossiblyInvalidSamps = 0x193C
DAQmx_CI_DupCountPrevent = 0x21AC
DAQmx_CI_Prescaler = 0x2239
DAQmx_CO_OutputType = 0x18B5
DAQmx_CO_Pulse_IdleState = 0x1170
DAQmx_CO_Pulse_Term = 0x18E1
DAQmx_CO_Pulse_Time_Units = 0x18D6
DAQmx_CO_Pulse_HighTime = 0x18BA
DAQmx_CO_Pulse_LowTime = 0x18BB
DAQmx_CO_Pulse_Time_InitialDelay = 0x18BC
DAQmx_CO_Pulse_DutyCyc = 0x1176
DAQmx_CO_Pulse_Freq_Units = 0x18D5
DAQmx_CO_Pulse_Freq = 0x1178
DAQmx_CO_Pulse_Freq_InitialDelay = 0x0299
DAQmx_CO_Pulse_HighTicks = 0x1169
DAQmx_CO_Pulse_LowTicks = 0x1171
DAQmx_CO_Pulse_Ticks_InitialDelay = 0x0298
DAQmx_CO_CtrTimebaseSrc = 0x0339
DAQmx_CO_CtrTimebaseRate = 0x18C2
DAQmx_CO_CtrTimebaseActiveEdge = 0x0341
DAQmx_CO_CtrTimebase_DigFltr_Enable = 0x2276
DAQmx_CO_CtrTimebase_DigFltr_MinPulseWidth = 0x2277
DAQmx_CO_CtrTimebase_DigFltr_TimebaseSrc = 0x2278
DAQmx_CO_CtrTimebase_DigFltr_TimebaseRate = 0x2279
DAQmx_CO_CtrTimebase_DigSync_Enable = 0x227A
DAQmx_CO_Count = 0x0293
DAQmx_CO_OutputState = 0x0294
DAQmx_CO_AutoIncrCnt = 0x0295
DAQmx_CO_CtrTimebaseMasterTimebaseDiv = 0x18C3
DAQmx_CO_PulseDone = 0x190E
DAQmx_CO_EnableInitialDelayOnRetrigger = 0x2EC9
DAQmx_CO_ConstrainedGenMode = 0x29F2
DAQmx_CO_UseOnlyOnBrdMem = 0x2ECB
DAQmx_CO_DataXferMech = 0x2ECC
DAQmx_CO_DataXferReqCond = 0x2ECD
DAQmx_CO_UsbXferReqSize = 0x2A93
DAQmx_CO_MemMapEnable = 0x2ED3
DAQmx_CO_Prescaler = 0x226D
DAQmx_CO_RdyForNewVal = 0x22FF
DAQmx_ChanType = 0x187F
DAQmx_PhysicalChanName = 0x18F5
DAQmx_ChanDescr = 0x1926
DAQmx_ChanIsGlobal = 0x2304
DAQmx_Exported_AIConvClk_OutputTerm = 0x1687
DAQmx_Exported_AIConvClk_Pulse_Polarity = 0x1688
DAQmx_Exported_10MHzRefClk_OutputTerm = 0x226E
DAQmx_Exported_20MHzTimebase_OutputTerm = 0x1657
DAQmx_Exported_SampClk_OutputBehavior = 0x186B
DAQmx_Exported_SampClk_OutputTerm = 0x1663
DAQmx_Exported_SampClk_DelayOffset = 0x21C4
DAQmx_Exported_SampClk_Pulse_Polarity = 0x1664
DAQmx_Exported_SampClkTimebase_OutputTerm = 0x18F9
DAQmx_Exported_DividedSampClkTimebase_OutputTerm = 0x21A1
DAQmx_Exported_AdvTrig_OutputTerm = 0x1645
DAQmx_Exported_AdvTrig_Pulse_Polarity = 0x1646
DAQmx_Exported_AdvTrig_Pulse_WidthUnits = 0x1647
DAQmx_Exported_AdvTrig_Pulse_Width = 0x1648
DAQmx_Exported_PauseTrig_OutputTerm = 0x1615
DAQmx_Exported_PauseTrig_Lvl_ActiveLvl = 0x1616
DAQmx_Exported_RefTrig_OutputTerm = 0x0590
DAQmx_Exported_RefTrig_Pulse_Polarity = 0x0591
DAQmx_Exported_StartTrig_OutputTerm = 0x0584
DAQmx_Exported_StartTrig_Pulse_Polarity = 0x0585
DAQmx_Exported_AdvCmpltEvent_OutputTerm = 0x1651
DAQmx_Exported_AdvCmpltEvent_Delay = 0x1757
DAQmx_Exported_AdvCmpltEvent_Pulse_Polarity = 0x1652
DAQmx_Exported_AdvCmpltEvent_Pulse_Width = 0x1654
DAQmx_Exported_AIHoldCmpltEvent_OutputTerm = 0x18ED
DAQmx_Exported_AIHoldCmpltEvent_PulsePolarity = 0x18EE
DAQmx_Exported_ChangeDetectEvent_OutputTerm = 0x2197
DAQmx_Exported_ChangeDetectEvent_Pulse_Polarity = 0x2303
DAQmx_Exported_CtrOutEvent_OutputTerm = 0x1717
DAQmx_Exported_CtrOutEvent_OutputBehavior = 0x174F
DAQmx_Exported_CtrOutEvent_Pulse_Polarity = 0x1718
DAQmx_Exported_CtrOutEvent_Toggle_IdleState = 0x186A
DAQmx_Exported_HshkEvent_OutputTerm = 0x22BA
DAQmx_Exported_HshkEvent_OutputBehavior = 0x22BB
DAQmx_Exported_HshkEvent_Delay = 0x22BC
DAQmx_Exported_HshkEvent_Interlocked_AssertedLvl = 0x22BD
DAQmx_Exported_HshkEvent_Interlocked_AssertOnStart = 0x22BE
DAQmx_Exported_HshkEvent_Interlocked_DeassertDelay = 0x22BF
DAQmx_Exported_HshkEvent_Pulse_Polarity = 0x22C0
DAQmx_Exported_HshkEvent_Pulse_Width = 0x22C1
DAQmx_Exported_RdyForXferEvent_OutputTerm = 0x22B5
DAQmx_Exported_RdyForXferEvent_Lvl_ActiveLvl = 0x22B6
DAQmx_Exported_RdyForXferEvent_DeassertCond = 0x2963
DAQmx_Exported_RdyForXferEvent_DeassertCondCustomThreshold = 0x2964
DAQmx_Exported_DataActiveEvent_OutputTerm = 0x1633
DAQmx_Exported_DataActiveEvent_Lvl_ActiveLvl = 0x1634
DAQmx_Exported_RdyForStartEvent_OutputTerm = 0x1609
DAQmx_Exported_RdyForStartEvent_Lvl_ActiveLvl = 0x1751
DAQmx_Exported_SyncPulseEvent_OutputTerm = 0x223C
DAQmx_Exported_WatchdogExpiredEvent_OutputTerm = 0x21AA
DAQmx_Dev_IsSimulated = 0x22CA
DAQmx_Dev_ProductCategory = 0x29A9
DAQmx_Dev_ProductType = 0x0631
DAQmx_Dev_ProductNum = 0x231D
DAQmx_Dev_SerialNum = 0x0632
DAQmx_Carrier_SerialNum = 0x2A8A
DAQmx_Dev_Chassis_ModuleDevNames = 0x29B6
DAQmx_Dev_AnlgTrigSupported = 0x2984
DAQmx_Dev_DigTrigSupported = 0x2985
DAQmx_Dev_AI_PhysicalChans = 0x231E
DAQmx_Dev_AI_MaxSingleChanRate = 0x298C
DAQmx_Dev_AI_MaxMultiChanRate = 0x298D
DAQmx_Dev_AI_MinRate = 0x298E
DAQmx_Dev_AI_SimultaneousSamplingSupported = 0x298F
DAQmx_Dev_AI_TrigUsage = 0x2986
DAQmx_Dev_AI_VoltageRngs = 0x2990
DAQmx_Dev_AI_VoltageIntExcitDiscreteVals = 0x29C9
DAQmx_Dev_AI_VoltageIntExcitRangeVals = 0x29CA
DAQmx_Dev_AI_CurrentRngs = 0x2991
DAQmx_Dev_AI_CurrentIntExcitDiscreteVals = 0x29CB
DAQmx_Dev_AI_FreqRngs = 0x2992
DAQmx_Dev_AI_Gains = 0x2993
DAQmx_Dev_AI_Couplings = 0x2994
DAQmx_Dev_AI_LowpassCutoffFreqDiscreteVals = 0x2995
DAQmx_Dev_AI_LowpassCutoffFreqRangeVals = 0x29CF
DAQmx_Dev_AO_PhysicalChans = 0x231F
DAQmx_Dev_AO_SampClkSupported = 0x2996
DAQmx_Dev_AO_MaxRate = 0x2997
DAQmx_Dev_AO_MinRate = 0x2998
DAQmx_Dev_AO_TrigUsage = 0x2987
DAQmx_Dev_AO_VoltageRngs = 0x299B
DAQmx_Dev_AO_CurrentRngs = 0x299C
DAQmx_Dev_AO_Gains = 0x299D
DAQmx_Dev_DI_Lines = 0x2320
DAQmx_Dev_DI_Ports = 0x2321
DAQmx_Dev_DI_MaxRate = 0x2999
DAQmx_Dev_DI_TrigUsage = 0x2988
DAQmx_Dev_DO_Lines = 0x2322
DAQmx_Dev_DO_Ports = 0x2323
DAQmx_Dev_DO_MaxRate = 0x299A
DAQmx_Dev_DO_TrigUsage = 0x2989
DAQmx_Dev_CI_PhysicalChans = 0x2324
DAQmx_Dev_CI_TrigUsage = 0x298A
DAQmx_Dev_CI_SampClkSupported = 0x299E
DAQmx_Dev_CI_MaxSize = 0x299F
DAQmx_Dev_CI_MaxTimebase = 0x29A0
DAQmx_Dev_CO_PhysicalChans = 0x2325
DAQmx_Dev_CO_TrigUsage = 0x298B
DAQmx_Dev_CO_MaxSize = 0x29A1
DAQmx_Dev_CO_MaxTimebase = 0x29A2
DAQmx_Dev_NumDMAChans = 0x233C
DAQmx_Dev_BusType = 0x2326
DAQmx_Dev_PCI_BusNum = 0x2327
DAQmx_Dev_PCI_DevNum = 0x2328
DAQmx_Dev_PXI_ChassisNum = 0x2329
DAQmx_Dev_PXI_SlotNum = 0x232A
DAQmx_Dev_CompactDAQ_ChassisDevName = 0x29B7
DAQmx_Dev_CompactDAQ_SlotNum = 0x29B8
DAQmx_Dev_TCPIP_Hostname = 0x2A8B
DAQmx_Dev_TCPIP_EthernetIP = 0x2A8C
DAQmx_Dev_TCPIP_WirelessIP = 0x2A8D
DAQmx_Dev_Terminals = 0x2A40
DAQmx_Read_RelativeTo = 0x190A
DAQmx_Read_Offset = 0x190B
DAQmx_Read_ChannelsToRead = 0x1823
DAQmx_Read_ReadAllAvailSamp = 0x1215
DAQmx_Read_AutoStart = 0x1826
DAQmx_Read_OverWrite = 0x1211
DAQmx_Read_CurrReadPos = 0x1221
DAQmx_Read_AvailSampPerChan = 0x1223
DAQmx_Logging_FilePath = 0x2EC4
DAQmx_Logging_Mode = 0x2EC5
DAQmx_Logging_TDMS_GroupName = 0x2EC6
DAQmx_Logging_TDMS_Operation = 0x2EC7
DAQmx_Read_TotalSampPerChanAcquired = 0x192A
DAQmx_Read_CommonModeRangeErrorChansExist = 0x2A98
DAQmx_Read_CommonModeRangeErrorChans = 0x2A99
DAQmx_Read_OvercurrentChansExist = 0x29E6
DAQmx_Read_OvercurrentChans = 0x29E7
DAQmx_Read_OpenCurrentLoopChansExist = 0x2A09
DAQmx_Read_OpenCurrentLoopChans = 0x2A0A
DAQmx_Read_OpenThrmcplChansExist = 0x2A96
DAQmx_Read_OpenThrmcplChans = 0x2A97
DAQmx_Read_OverloadedChansExist = 0x2174
DAQmx_Read_OverloadedChans = 0x2175
DAQmx_Read_ChangeDetect_HasOverflowed = 0x2194
DAQmx_Read_RawDataWidth = 0x217A
DAQmx_Read_NumChans = 0x217B
DAQmx_Read_DigitalLines_BytesPerChan = 0x217C
DAQmx_Read_WaitMode = 0x2232
DAQmx_Read_SleepTime = 0x22B0
DAQmx_RealTime_ConvLateErrorsToWarnings = 0x22EE
DAQmx_RealTime_NumOfWarmupIters = 0x22ED
DAQmx_RealTime_WaitForNextSampClkWaitMode = 0x22EF
DAQmx_RealTime_ReportMissedSamp = 0x2319
DAQmx_RealTime_WriteRecoveryMode = 0x231A
DAQmx_SwitchChan_Usage = 0x18E4
DAQmx_SwitchChan_MaxACCarryCurrent = 0x0648
DAQmx_SwitchChan_MaxACSwitchCurrent = 0x0646
DAQmx_SwitchChan_MaxACCarryPwr = 0x0642
DAQmx_SwitchChan_MaxACSwitchPwr = 0x0644
DAQmx_SwitchChan_MaxDCCarryCurrent = 0x0647
DAQmx_SwitchChan_MaxDCSwitchCurrent = 0x0645
DAQmx_SwitchChan_MaxDCCarryPwr = 0x0643
DAQmx_SwitchChan_MaxDCSwitchPwr = 0x0649
DAQmx_SwitchChan_MaxACVoltage = 0x0651
DAQmx_SwitchChan_MaxDCVoltage = 0x0650
DAQmx_SwitchChan_WireMode = 0x18E5
DAQmx_SwitchChan_Bandwidth = 0x0640
DAQmx_SwitchChan_Impedance = 0x0641
DAQmx_SwitchDev_SettlingTime = 0x1244
DAQmx_SwitchDev_AutoConnAnlgBus = 0x17DA
DAQmx_SwitchDev_PwrDownLatchRelaysAfterSettling = 0x22DB
DAQmx_SwitchDev_Settled = 0x1243
DAQmx_SwitchDev_RelayList = 0x17DC
DAQmx_SwitchDev_NumRelays = 0x18E6
DAQmx_SwitchDev_SwitchChanList = 0x18E7
DAQmx_SwitchDev_NumSwitchChans = 0x18E8
DAQmx_SwitchDev_NumRows = 0x18E9
DAQmx_SwitchDev_NumColumns = 0x18EA
DAQmx_SwitchDev_Topology = 0x193D
DAQmx_SwitchScan_BreakMode = 0x1247
DAQmx_SwitchScan_RepeatMode = 0x1248
DAQmx_SwitchScan_WaitingForAdv = 0x17D9
DAQmx_Scale_Descr = 0x1226
DAQmx_Scale_ScaledUnits = 0x191B
DAQmx_Scale_PreScaledUnits = 0x18F7
DAQmx_Scale_Type = 0x1929
DAQmx_Scale_Lin_Slope = 0x1227
DAQmx_Scale_Lin_YIntercept = 0x1228
DAQmx_Scale_Map_ScaledMax = 0x1229
DAQmx_Scale_Map_PreScaledMax = 0x1231
DAQmx_Scale_Map_ScaledMin = 0x1230
DAQmx_Scale_Map_PreScaledMin = 0x1232
DAQmx_Scale_Poly_ForwardCoeff = 0x1234
DAQmx_Scale_Poly_ReverseCoeff = 0x1235
DAQmx_Scale_Table_ScaledVals = 0x1236
DAQmx_Scale_Table_PreScaledVals = 0x1237
DAQmx_Sys_GlobalChans = 0x1265
DAQmx_Sys_Scales = 0x1266
DAQmx_Sys_Tasks = 0x1267
DAQmx_Sys_DevNames = 0x193B
DAQmx_Sys_NIDAQMajorVersion = 0x1272
DAQmx_Sys_NIDAQMinorVersion = 0x1923
DAQmx_Sys_NIDAQUpdateVersion = 0x2F22
DAQmx_Task_Name = 0x1276
DAQmx_Task_Channels = 0x1273
DAQmx_Task_NumChans = 0x2181
DAQmx_Task_Devices = 0x230E
DAQmx_Task_NumDevices = 0x29BA
DAQmx_Task_Complete = 0x1274
DAQmx_SampQuant_SampMode = 0x1300
DAQmx_SampQuant_SampPerChan = 0x1310
DAQmx_SampTimingType = 0x1347
DAQmx_SampClk_Rate = 0x1344
DAQmx_SampClk_MaxRate = 0x22C8
DAQmx_SampClk_Src = 0x1852
DAQmx_SampClk_ActiveEdge = 0x1301
DAQmx_SampClk_OverrunBehavior = 0x2EFC
DAQmx_SampClk_UnderflowBehavior = 0x2961
DAQmx_SampClk_TimebaseDiv = 0x18EB
DAQmx_SampClk_Term = 0x2F1B
DAQmx_SampClk_Timebase_Rate = 0x1303
DAQmx_SampClk_Timebase_Src = 0x1308
DAQmx_SampClk_Timebase_ActiveEdge = 0x18EC
DAQmx_SampClk_Timebase_MasterTimebaseDiv = 0x1305
DAQmx_SampClkTimebase_Term = 0x2F1C
DAQmx_SampClk_DigFltr_Enable = 0x221E
DAQmx_SampClk_DigFltr_MinPulseWidth = 0x221F
DAQmx_SampClk_DigFltr_TimebaseSrc = 0x2220
DAQmx_SampClk_DigFltr_TimebaseRate = 0x2221
DAQmx_SampClk_DigSync_Enable = 0x2222
DAQmx_Hshk_DelayAfterXfer = 0x22C2
DAQmx_Hshk_StartCond = 0x22C3
DAQmx_Hshk_SampleInputDataWhen = 0x22C4
DAQmx_ChangeDetect_DI_RisingEdgePhysicalChans = 0x2195
DAQmx_ChangeDetect_DI_FallingEdgePhysicalChans = 0x2196
DAQmx_ChangeDetect_DI_Tristate = 0x2EFA
DAQmx_OnDemand_SimultaneousAOEnable = 0x21A0
DAQmx_Implicit_UnderflowBehavior = 0x2EFD
DAQmx_AIConv_Rate = 0x1848
DAQmx_AIConv_MaxRate = 0x22C9
DAQmx_AIConv_Src = 0x1502
DAQmx_AIConv_ActiveEdge = 0x1853
DAQmx_AIConv_TimebaseDiv = 0x1335
DAQmx_AIConv_Timebase_Src = 0x1339
DAQmx_DelayFromSampClk_DelayUnits = 0x1304
DAQmx_DelayFromSampClk_Delay = 0x1317
DAQmx_AIConv_DigFltr_Enable = 0x2EDC
DAQmx_AIConv_DigFltr_MinPulseWidth = 0x2EDD
DAQmx_AIConv_DigFltr_TimebaseSrc = 0x2EDE
DAQmx_AIConv_DigFltr_TimebaseRate = 0x2EDF
DAQmx_AIConv_DigSync_Enable = 0x2EE0
DAQmx_MasterTimebase_Rate = 0x1495
DAQmx_MasterTimebase_Src = 0x1343
DAQmx_RefClk_Rate = 0x1315
DAQmx_RefClk_Src = 0x1316
DAQmx_SyncPulse_Src = 0x223D
DAQmx_SyncPulse_SyncTime = 0x223E
DAQmx_SyncPulse_MinDelayToStart = 0x223F
DAQmx_SampTimingEngine = 0x2A26
DAQmx_StartTrig_Type = 0x1393
DAQmx_StartTrig_Term = 0x2F1E
DAQmx_DigEdge_StartTrig_Src = 0x1407
DAQmx_DigEdge_StartTrig_Edge = 0x1404
DAQmx_DigEdge_StartTrig_DigFltr_Enable = 0x2223
DAQmx_DigEdge_StartTrig_DigFltr_MinPulseWidth = 0x2224
DAQmx_DigEdge_StartTrig_DigFltr_TimebaseSrc = 0x2225
DAQmx_DigEdge_StartTrig_DigFltr_TimebaseRate = 0x2226
DAQmx_DigEdge_StartTrig_DigSync_Enable = 0x2227
DAQmx_DigPattern_StartTrig_Src = 0x1410
DAQmx_DigPattern_StartTrig_Pattern = 0x2186
DAQmx_DigPattern_StartTrig_When = 0x1411
DAQmx_AnlgEdge_StartTrig_Src = 0x1398
DAQmx_AnlgEdge_StartTrig_Slope = 0x1397
DAQmx_AnlgEdge_StartTrig_Lvl = 0x1396
DAQmx_AnlgEdge_StartTrig_Hyst = 0x1395
DAQmx_AnlgEdge_StartTrig_Coupling = 0x2233
DAQmx_AnlgEdge_StartTrig_DigFltr_Enable = 0x2EE1
DAQmx_AnlgEdge_StartTrig_DigFltr_MinPulseWidth = 0x2EE2
DAQmx_AnlgEdge_StartTrig_DigFltr_TimebaseSrc = 0x2EE3
DAQmx_AnlgEdge_StartTrig_DigFltr_TimebaseRate = 0x2EE4
DAQmx_AnlgEdge_StartTrig_DigSync_Enable = 0x2EE5
DAQmx_AnlgWin_StartTrig_Src = 0x1400
DAQmx_AnlgWin_StartTrig_When = 0x1401
DAQmx_AnlgWin_StartTrig_Top = 0x1403
DAQmx_AnlgWin_StartTrig_Btm = 0x1402
DAQmx_AnlgWin_StartTrig_Coupling = 0x2234
DAQmx_AnlgWin_StartTrig_DigFltr_Enable = 0x2EFF
DAQmx_AnlgWin_StartTrig_DigFltr_MinPulseWidth = 0x2F00
DAQmx_AnlgWin_StartTrig_DigFltr_TimebaseSrc = 0x2F01
DAQmx_AnlgWin_StartTrig_DigFltr_TimebaseRate = 0x2F02
DAQmx_AnlgWin_StartTrig_DigSync_Enable = 0x2F03
DAQmx_StartTrig_Delay = 0x1856
DAQmx_StartTrig_DelayUnits = 0x18C8
DAQmx_StartTrig_Retriggerable = 0x190F
DAQmx_RefTrig_Type = 0x1419
DAQmx_RefTrig_PretrigSamples = 0x1445
DAQmx_RefTrig_Term = 0x2F1F
DAQmx_DigEdge_RefTrig_Src = 0x1434
DAQmx_DigEdge_RefTrig_Edge = 0x1430
DAQmx_DigEdge_RefTrig_DigFltr_Enable = 0x2ED7
DAQmx_DigEdge_RefTrig_DigFltr_MinPulseWidth = 0x2ED8
DAQmx_DigEdge_RefTrig_DigFltr_TimebaseSrc = 0x2ED9
DAQmx_DigEdge_RefTrig_DigFltr_TimebaseRate = 0x2EDA
DAQmx_DigEdge_RefTrig_DigSync_Enable = 0x2EDB
DAQmx_DigPattern_RefTrig_Src = 0x1437
DAQmx_DigPattern_RefTrig_Pattern = 0x2187
DAQmx_DigPattern_RefTrig_When = 0x1438
DAQmx_AnlgEdge_RefTrig_Src = 0x1424
DAQmx_AnlgEdge_RefTrig_Slope = 0x1423
DAQmx_AnlgEdge_RefTrig_Lvl = 0x1422
DAQmx_AnlgEdge_RefTrig_Hyst = 0x1421
DAQmx_AnlgEdge_RefTrig_Coupling = 0x2235
DAQmx_AnlgEdge_RefTrig_DigFltr_Enable = 0x2EE6
DAQmx_AnlgEdge_RefTrig_DigFltr_MinPulseWidth = 0x2EE7
DAQmx_AnlgEdge_RefTrig_DigFltr_TimebaseSrc = 0x2EE8
DAQmx_AnlgEdge_RefTrig_DigFltr_TimebaseRate = 0x2EE9
DAQmx_AnlgEdge_RefTrig_DigSync_Enable = 0x2EEA
DAQmx_AnlgWin_RefTrig_Src = 0x1426
DAQmx_AnlgWin_RefTrig_When = 0x1427
DAQmx_AnlgWin_RefTrig_Top = 0x1429
DAQmx_AnlgWin_RefTrig_Btm = 0x1428
DAQmx_AnlgWin_RefTrig_Coupling = 0x1857
DAQmx_AnlgWin_RefTrig_DigFltr_Enable = 0x2EEB
DAQmx_AnlgWin_RefTrig_DigFltr_MinPulseWidth = 0x2EEC
DAQmx_AnlgWin_RefTrig_DigFltr_TimebaseSrc = 0x2EED
DAQmx_AnlgWin_RefTrig_DigFltr_TimebaseRate = 0x2EEE
DAQmx_AnlgWin_RefTrig_DigSync_Enable = 0x2EEF
DAQmx_RefTrig_AutoTrigEnable = 0x2EC1
DAQmx_RefTrig_AutoTriggered = 0x2EC2
DAQmx_AdvTrig_Type = 0x1365
DAQmx_DigEdge_AdvTrig_Src = 0x1362
DAQmx_DigEdge_AdvTrig_Edge = 0x1360
DAQmx_DigEdge_AdvTrig_DigFltr_Enable = 0x2238
DAQmx_HshkTrig_Type = 0x22B7
DAQmx_Interlocked_HshkTrig_Src = 0x22B8
DAQmx_Interlocked_HshkTrig_AssertedLvl = 0x22B9
DAQmx_PauseTrig_Type = 0x1366
DAQmx_PauseTrig_Term = 0x2F20
DAQmx_AnlgLvl_PauseTrig_Src = 0x1370
DAQmx_AnlgLvl_PauseTrig_When = 0x1371
DAQmx_AnlgLvl_PauseTrig_Lvl = 0x1369
DAQmx_AnlgLvl_PauseTrig_Hyst = 0x1368
DAQmx_AnlgLvl_PauseTrig_Coupling = 0x2236
DAQmx_AnlgLvl_PauseTrig_DigFltr_Enable = 0x2EF0
DAQmx_AnlgLvl_PauseTrig_DigFltr_MinPulseWidth = 0x2EF1
DAQmx_AnlgLvl_PauseTrig_DigFltr_TimebaseSrc = 0x2EF2
DAQmx_AnlgLvl_PauseTrig_DigFltr_TimebaseRate = 0x2EF3
DAQmx_AnlgLvl_PauseTrig_DigSync_Enable = 0x2EF4
DAQmx_AnlgWin_PauseTrig_Src = 0x1373
DAQmx_AnlgWin_PauseTrig_When = 0x1374
DAQmx_AnlgWin_PauseTrig_Top = 0x1376
DAQmx_AnlgWin_PauseTrig_Btm = 0x1375
DAQmx_AnlgWin_PauseTrig_Coupling = 0x2237
DAQmx_AnlgWin_PauseTrig_DigFltr_Enable = 0x2EF5
DAQmx_AnlgWin_PauseTrig_DigFltr_MinPulseWidth = 0x2EF6
DAQmx_AnlgWin_PauseTrig_DigFltr_TimebaseSrc = 0x2EF7
DAQmx_AnlgWin_PauseTrig_DigFltr_TimebaseRate = 0x2EF8
DAQmx_AnlgWin_PauseTrig_DigSync_Enable = 0x2EF9
DAQmx_DigLvl_PauseTrig_Src = 0x1379
DAQmx_DigLvl_PauseTrig_When = 0x1380
DAQmx_DigLvl_PauseTrig_DigFltr_Enable = 0x2228
DAQmx_DigLvl_PauseTrig_DigFltr_MinPulseWidth = 0x2229
DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseSrc = 0x222A
DAQmx_DigLvl_PauseTrig_DigFltr_TimebaseRate = 0x222B
DAQmx_DigLvl_PauseTrig_DigSync_Enable = 0x222C
DAQmx_DigPattern_PauseTrig_Src = 0x216F
DAQmx_DigPattern_PauseTrig_Pattern = 0x2188
DAQmx_DigPattern_PauseTrig_When = 0x2170
DAQmx_ArmStartTrig_Type = 0x1414
DAQmx_DigEdge_ArmStartTrig_Src = 0x1417
DAQmx_DigEdge_ArmStartTrig_Edge = 0x1415
DAQmx_DigEdge_ArmStartTrig_DigFltr_Enable = 0x222D
DAQmx_DigEdge_ArmStartTrig_DigFltr_MinPulseWidth = 0x222E
DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseSrc = 0x222F
DAQmx_DigEdge_ArmStartTrig_DigFltr_TimebaseRate = 0x2230
DAQmx_DigEdge_ArmStartTrig_DigSync_Enable = 0x2231
DAQmx_Watchdog_Timeout = 0x21A9
DAQmx_WatchdogExpirTrig_Type = 0x21A3
DAQmx_DigEdge_WatchdogExpirTrig_Src = 0x21A4
DAQmx_DigEdge_WatchdogExpirTrig_Edge = 0x21A5
DAQmx_Watchdog_DO_ExpirState = 0x21A7
DAQmx_Watchdog_HasExpired = 0x21A8
DAQmx_Write_RelativeTo = 0x190C
DAQmx_Write_Offset = 0x190D
DAQmx_Write_RegenMode = 0x1453
DAQmx_Write_CurrWritePos = 0x1458
DAQmx_Write_OvercurrentChansExist = 0x29E8
DAQmx_Write_OvercurrentChans = 0x29E9
DAQmx_Write_OvertemperatureChansExist = 0x2A84
DAQmx_Write_OpenCurrentLoopChansExist = 0x29EA
DAQmx_Write_OpenCurrentLoopChans = 0x29EB
DAQmx_Write_PowerSupplyFaultChansExist = 0x29EC
DAQmx_Write_PowerSupplyFaultChans = 0x29ED
DAQmx_Write_SpaceAvail = 0x1460
DAQmx_Write_TotalSampPerChanGenerated = 0x192B
DAQmx_Write_RawDataWidth = 0x217D
DAQmx_Write_NumChans = 0x217E
DAQmx_Write_WaitMode = 0x22B1
DAQmx_Write_SleepTime = 0x22B2
DAQmx_Write_NextWriteIsLast = 0x296C
DAQmx_Write_DigitalLines_BytesPerChan = 0x217F
DAQmx_PhysicalChan_AI_TermCfgs = 0x2342
DAQmx_PhysicalChan_AO_TermCfgs = 0x29A3
DAQmx_PhysicalChan_AO_ManualControlEnable = 0x2A1E
DAQmx_PhysicalChan_AO_ManualControl_ShortDetected = 0x2EC3
DAQmx_PhysicalChan_AO_ManualControlAmplitude = 0x2A1F
DAQmx_PhysicalChan_AO_ManualControlFreq = 0x2A20
DAQmx_PhysicalChan_DI_PortWidth = 0x29A4
DAQmx_PhysicalChan_DI_SampClkSupported = 0x29A5
DAQmx_PhysicalChan_DI_ChangeDetectSupported = 0x29A6
DAQmx_PhysicalChan_DO_PortWidth = 0x29A7
DAQmx_PhysicalChan_DO_SampClkSupported = 0x29A8
DAQmx_PhysicalChan_TEDS_MfgID = 0x21DA
DAQmx_PhysicalChan_TEDS_ModelNum = 0x21DB
DAQmx_PhysicalChan_TEDS_SerialNum = 0x21DC
DAQmx_PhysicalChan_TEDS_VersionNum = 0x21DD
DAQmx_PhysicalChan_TEDS_VersionLetter = 0x21DE
DAQmx_PhysicalChan_TEDS_BitStream = 0x21DF
DAQmx_PhysicalChan_TEDS_TemplateIDs = 0x228F
DAQmx_PersistedTask_Author = 0x22CC
DAQmx_PersistedTask_AllowInteractiveEditing = 0x22CD
DAQmx_PersistedTask_AllowInteractiveDeletion = 0x22CE
DAQmx_PersistedChan_Author = 0x22D0
DAQmx_PersistedChan_AllowInteractiveEditing = 0x22D1
DAQmx_PersistedChan_AllowInteractiveDeletion = 0x22D2
DAQmx_PersistedScale_Author = 0x22D4
DAQmx_PersistedScale_AllowInteractiveEditing = 0x22D5
DAQmx_PersistedScale_AllowInteractiveDeletion = 0x22D6
DAQmx_ReadWaitMode = DAQmx_Read_WaitMode
DAQmx_Val_Task_Start = 0
DAQmx_Val_Task_Stop = 1
DAQmx_Val_Task_Verify = 2
DAQmx_Val_Task_Commit = 3
DAQmx_Val_Task_Reserve = 4
DAQmx_Val_Task_Unreserve = 5
DAQmx_Val_Task_Abort = 6
DAQmx_Val_SynchronousEventCallbacks = (1<<0)
DAQmx_Val_Acquired_Into_Buffer = 1
DAQmx_Val_Transferred_From_Buffer = 2
DAQmx_Val_ResetTimer = 0
DAQmx_Val_ClearExpiration = 1
DAQmx_Val_ChanPerLine = 0
DAQmx_Val_ChanForAllLines = 1
DAQmx_Val_GroupByChannel = 0
DAQmx_Val_GroupByScanNumber = 1
DAQmx_Val_DoNotInvertPolarity = 0
DAQmx_Val_InvertPolarity = 1
DAQmx_Val_Action_Commit = 0
DAQmx_Val_Action_Cancel = 1
DAQmx_Val_AdvanceTrigger = 12488
DAQmx_Val_Rising = 10280
DAQmx_Val_Falling = 10171
DAQmx_Val_PathStatus_Available = 10431
DAQmx_Val_PathStatus_AlreadyExists = 10432
DAQmx_Val_PathStatus_Unsupported = 10433
DAQmx_Val_PathStatus_ChannelInUse = 10434
DAQmx_Val_PathStatus_SourceChannelConflict = 10435
DAQmx_Val_PathStatus_ChannelReservedForRouting = 10436
DAQmx_Val_DegC = 10143
DAQmx_Val_DegF = 10144
DAQmx_Val_Kelvins = 10325
DAQmx_Val_DegR = 10145
DAQmx_Val_High = 10192
DAQmx_Val_Low = 10214
DAQmx_Val_Tristate = 10310
DAQmx_Val_ChannelVoltage = 0
DAQmx_Val_ChannelCurrent = 1
DAQmx_Val_Open = 10437
DAQmx_Val_Closed = 10438
DAQmx_Val_Loopback0 = 0
DAQmx_Val_Loopback180 = 1
DAQmx_Val_Ground = 2
DAQmx_Val_Cfg_Default = -1
DAQmx_Val_Default = -1
DAQmx_Val_WaitInfinitely = -1.0
DAQmx_Val_Auto = -1
DAQmx_Val_Save_Overwrite = (1<<0)
DAQmx_Val_Save_AllowInteractiveEditing = (1<<1)
DAQmx_Val_Save_AllowInteractiveDeletion = (1<<2)
DAQmx_Val_Bit_TriggerUsageTypes_Advance = (1<<0)
DAQmx_Val_Bit_TriggerUsageTypes_Pause = (1<<1)
DAQmx_Val_Bit_TriggerUsageTypes_Reference = (1<<2)
DAQmx_Val_Bit_TriggerUsageTypes_Start = (1<<3)
DAQmx_Val_Bit_TriggerUsageTypes_Handshake = (1<<4)
DAQmx_Val_Bit_TriggerUsageTypes_ArmStart = (1<<5)
DAQmx_Val_Bit_CouplingTypes_AC = (1<<0)
DAQmx_Val_Bit_CouplingTypes_DC = (1<<1)
DAQmx_Val_Bit_CouplingTypes_Ground = (1<<2)
DAQmx_Val_Bit_CouplingTypes_HFReject = (1<<3)
DAQmx_Val_Bit_CouplingTypes_LFReject = (1<<4)
DAQmx_Val_Bit_CouplingTypes_NoiseReject = (1<<5)
DAQmx_Val_Bit_TermCfg_RSE = (1<<0)
DAQmx_Val_Bit_TermCfg_NRSE = (1<<1)
DAQmx_Val_Bit_TermCfg_Diff = (1<<2)
DAQmx_Val_Bit_TermCfg_PseudoDIFF = (1<<3)
DAQmx_Val_4Wire = 4
DAQmx_Val_5Wire = 5
DAQmx_Val_HighResolution = 10195
DAQmx_Val_HighSpeed = 14712
DAQmx_Val_Best50HzRejection = 14713
DAQmx_Val_Best60HzRejection = 14714
DAQmx_Val_Voltage = 10322
DAQmx_Val_VoltageRMS = 10350
DAQmx_Val_Current = 10134
DAQmx_Val_CurrentRMS = 10351
DAQmx_Val_Voltage_CustomWithExcitation = 10323
DAQmx_Val_Freq_Voltage = 10181
DAQmx_Val_Resistance = 10278
DAQmx_Val_Temp_TC = 10303
DAQmx_Val_Temp_Thrmstr = 10302
DAQmx_Val_Temp_RTD = 10301
DAQmx_Val_Temp_BuiltInSensor = 10311
DAQmx_Val_Strain_Gage = 10300
DAQmx_Val_Position_LVDT = 10352
DAQmx_Val_Position_RVDT = 10353
DAQmx_Val_Position_EddyCurrentProximityProbe = 14835
DAQmx_Val_Accelerometer = 10356
DAQmx_Val_SoundPressure_Microphone = 10354
DAQmx_Val_TEDS_Sensor = 12531
DAQmx_Val_ZeroVolts = 12526
DAQmx_Val_HighImpedance = 12527
DAQmx_Val_MaintainExistingValue = 12528
DAQmx_Val_Voltage = 10322
DAQmx_Val_Current = 10134
DAQmx_Val_FuncGen = 14750
DAQmx_Val_mVoltsPerG = 12509
DAQmx_Val_VoltsPerG = 12510
DAQmx_Val_AccelUnit_g = 10186
DAQmx_Val_MetersPerSecondSquared = 12470
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_FiniteSamps = 10178
DAQmx_Val_ContSamps = 10123
DAQmx_Val_HWTimedSinglePoint = 12522
DAQmx_Val_AboveLvl = 10093
DAQmx_Val_BelowLvl = 10107
DAQmx_Val_Degrees = 10146
DAQmx_Val_Radians = 10273
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Degrees = 10146
DAQmx_Val_Radians = 10273
DAQmx_Val_Ticks = 10304
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_None = 10230
DAQmx_Val_Once = 10244
DAQmx_Val_EverySample = 10164
DAQmx_Val_NoAction = 10227
DAQmx_Val_BreakBeforeMake = 10110
DAQmx_Val_FullBridge = 10182
DAQmx_Val_HalfBridge = 10187
DAQmx_Val_QuarterBridge = 10270
DAQmx_Val_NoBridge = 10228
DAQmx_Val_PCI = 12582
DAQmx_Val_PCIe = 13612
DAQmx_Val_PXI = 12583
DAQmx_Val_PXIe = 14706
DAQmx_Val_SCXI = 12584
DAQmx_Val_SCC = 14707
DAQmx_Val_PCCard = 12585
DAQmx_Val_USB = 12586
DAQmx_Val_CompactDAQ = 14637
DAQmx_Val_TCPIP = 14828
DAQmx_Val_Unknown = 12588
DAQmx_Val_CountEdges = 10125
DAQmx_Val_Freq = 10179
DAQmx_Val_Period = 10256
DAQmx_Val_PulseWidth = 10359
DAQmx_Val_SemiPeriod = 10289
DAQmx_Val_PulseFrequency = 15864
DAQmx_Val_PulseTime = 15865
DAQmx_Val_PulseTicks = 15866
DAQmx_Val_Position_AngEncoder = 10360
DAQmx_Val_Position_LinEncoder = 10361
DAQmx_Val_TwoEdgeSep = 10267
DAQmx_Val_GPS_Timestamp = 10362
DAQmx_Val_BuiltIn = 10200
DAQmx_Val_ConstVal = 10116
DAQmx_Val_Chan = 10113
DAQmx_Val_Pulse_Time = 10269
DAQmx_Val_Pulse_Freq = 10119
DAQmx_Val_Pulse_Ticks = 10268
DAQmx_Val_AI = 10100
DAQmx_Val_AO = 10102
DAQmx_Val_DI = 10151
DAQmx_Val_DO = 10153
DAQmx_Val_CI = 10131
DAQmx_Val_CO = 10132
DAQmx_Val_Unconstrained = 14708
DAQmx_Val_FixedHighFreq = 14709
DAQmx_Val_FixedLowFreq = 14710
DAQmx_Val_Fixed50PercentDutyCycle = 14711
DAQmx_Val_CountUp = 10128
DAQmx_Val_CountDown = 10124
DAQmx_Val_ExtControlled = 10326
DAQmx_Val_LowFreq1Ctr = 10105
DAQmx_Val_HighFreq2Ctr = 10157
DAQmx_Val_LargeRng2Ctr = 10205
DAQmx_Val_AC = 10045
DAQmx_Val_DC = 10050
DAQmx_Val_GND = 10066
DAQmx_Val_AC = 10045
DAQmx_Val_DC = 10050
DAQmx_Val_Internal = 10200
DAQmx_Val_External = 10167
DAQmx_Val_Amps = 10342
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_FromTEDS = 12516
DAQmx_Val_Amps = 10342
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_RightJustified = 10279
DAQmx_Val_LeftJustified = 10209
DAQmx_Val_DMA = 10054
DAQmx_Val_Interrupts = 10204
DAQmx_Val_ProgrammedIO = 10264
DAQmx_Val_USBbulk = 12590
DAQmx_Val_OnbrdMemMoreThanHalfFull = 10237
DAQmx_Val_OnbrdMemFull = 10236
DAQmx_Val_OnbrdMemCustomThreshold = 12577
DAQmx_Val_ActiveDrive = 12573
DAQmx_Val_OpenCollector = 12574
DAQmx_Val_High = 10192
DAQmx_Val_Low = 10214
DAQmx_Val_Tristate = 10310
DAQmx_Val_NoChange = 10160
DAQmx_Val_PatternMatches = 10254
DAQmx_Val_PatternDoesNotMatch = 10253
DAQmx_Val_SampClkPeriods = 10286
DAQmx_Val_Seconds = 10364
DAQmx_Val_Ticks = 10304
DAQmx_Val_Seconds = 10364
DAQmx_Val_Ticks = 10304
DAQmx_Val_Seconds = 10364
DAQmx_Val_mVoltsPerMil = 14836
DAQmx_Val_VoltsPerMil = 14837
DAQmx_Val_mVoltsPerMillimeter = 14838
DAQmx_Val_VoltsPerMillimeter = 14839
DAQmx_Val_mVoltsPerMicron = 14840
DAQmx_Val_Rising = 10280
DAQmx_Val_Falling = 10171
DAQmx_Val_X1 = 10090
DAQmx_Val_X2 = 10091
DAQmx_Val_X4 = 10092
DAQmx_Val_TwoPulseCounting = 10313
DAQmx_Val_AHighBHigh = 10040
DAQmx_Val_AHighBLow = 10041
DAQmx_Val_ALowBHigh = 10042
DAQmx_Val_ALowBLow = 10043
DAQmx_Val_DC = 10050
DAQmx_Val_AC = 10045
DAQmx_Val_Internal = 10200
DAQmx_Val_External = 10167
DAQmx_Val_None = 10230
DAQmx_Val_Voltage = 10322
DAQmx_Val_Current = 10134
DAQmx_Val_Pulse = 10265
DAQmx_Val_Toggle = 10307
DAQmx_Val_Pulse = 10265
DAQmx_Val_Lvl = 10210
DAQmx_Val_Interlocked = 12549
DAQmx_Val_Pulse = 10265
DAQmx_Val_Hz = 10373
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Hz = 10373
DAQmx_Val_Hz = 10373
DAQmx_Val_Ticks = 10304
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Sine = 14751
DAQmx_Val_Triangle = 14752
DAQmx_Val_Square = 14753
DAQmx_Val_Sawtooth = 14754
DAQmx_Val_IRIGB = 10070
DAQmx_Val_PPS = 10080
DAQmx_Val_None = 10230
DAQmx_Val_Immediate = 10198
DAQmx_Val_WaitForHandshakeTriggerAssert = 12550
DAQmx_Val_WaitForHandshakeTriggerDeassert = 12551
DAQmx_Val_OnBrdMemMoreThanHalfFull = 10237
DAQmx_Val_OnBrdMemNotEmpty = 10241
DAQmx_Val_OnbrdMemCustomThreshold = 12577
DAQmx_Val_WhenAcqComplete = 12546
DAQmx_Val_RSE = 10083
DAQmx_Val_NRSE = 10078
DAQmx_Val_Diff = 10106
DAQmx_Val_PseudoDiff = 12529
DAQmx_Val_mVoltsPerVoltPerMillimeter = 12506
DAQmx_Val_mVoltsPerVoltPerMilliInch = 12505
DAQmx_Val_Meters = 10219
DAQmx_Val_Inches = 10379
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Meters = 10219
DAQmx_Val_Inches = 10379
DAQmx_Val_Ticks = 10304
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_High = 10192
DAQmx_Val_Low = 10214
DAQmx_Val_Off = 10231
DAQmx_Val_Log = 15844
DAQmx_Val_LogAndRead = 15842
DAQmx_Val_Open = 10437
DAQmx_Val_OpenOrCreate = 15846
DAQmx_Val_CreateOrReplace = 15847
DAQmx_Val_Create = 15848
DAQmx_Val_2point5V = 14620
DAQmx_Val_3point3V = 14621
DAQmx_Val_5V = 14619
DAQmx_Val_SameAsSampTimebase = 10284
DAQmx_Val_100MHzTimebase = 15857
DAQmx_Val_SameAsMasterTimebase = 10282
DAQmx_Val_20MHzTimebase = 12537
DAQmx_Val_80MHzTimebase = 14636
DAQmx_Val_AM = 14756
DAQmx_Val_FM = 14757
DAQmx_Val_None = 10230
DAQmx_Val_OnBrdMemEmpty = 10235
DAQmx_Val_OnBrdMemHalfFullOrLess = 10239
DAQmx_Val_OnBrdMemNotFull = 10242
DAQmx_Val_RSE = 10083
DAQmx_Val_Diff = 10106
DAQmx_Val_PseudoDiff = 12529
DAQmx_Val_StopTaskAndError = 15862
DAQmx_Val_IgnoreOverruns = 15863
DAQmx_Val_OverwriteUnreadSamps = 10252
DAQmx_Val_DoNotOverwriteUnreadSamps = 10159
DAQmx_Val_ActiveHigh = 10095
DAQmx_Val_ActiveLow = 10096
DAQmx_Val_MSeriesDAQ = 14643
DAQmx_Val_XSeriesDAQ = 15858
DAQmx_Val_ESeriesDAQ = 14642
DAQmx_Val_SSeriesDAQ = 14644
DAQmx_Val_BSeriesDAQ = 14662
DAQmx_Val_SCSeriesDAQ = 14645
DAQmx_Val_USBDAQ = 14646
DAQmx_Val_AOSeries = 14647
DAQmx_Val_DigitalIO = 14648
DAQmx_Val_TIOSeries = 14661
DAQmx_Val_DynamicSignalAcquisition = 14649
DAQmx_Val_Switches = 14650
DAQmx_Val_CompactDAQChassis = 14658
DAQmx_Val_CSeriesModule = 14659
DAQmx_Val_SCXIModule = 14660
DAQmx_Val_SCCConnectorBlock = 14704
DAQmx_Val_SCCModule = 14705
DAQmx_Val_NIELVIS = 14755
DAQmx_Val_NetworkDAQ = 14829
DAQmx_Val_Unknown = 12588
DAQmx_Val_Pt3750 = 12481
DAQmx_Val_Pt3851 = 10071
DAQmx_Val_Pt3911 = 12482
DAQmx_Val_Pt3916 = 10069
DAQmx_Val_Pt3920 = 10053
DAQmx_Val_Pt3928 = 12483
DAQmx_Val_Custom = 10137
DAQmx_Val_mVoltsPerVoltPerDegree = 12507
DAQmx_Val_mVoltsPerVoltPerRadian = 12508
DAQmx_Val_None = 10230
DAQmx_Val_LosslessPacking = 12555
DAQmx_Val_LossyLSBRemoval = 12556
DAQmx_Val_FirstSample = 10424
DAQmx_Val_CurrReadPos = 10425
DAQmx_Val_RefTrig = 10426
DAQmx_Val_FirstPretrigSamp = 10427
DAQmx_Val_MostRecentSamp = 10428
DAQmx_Val_AllowRegen = 10097
DAQmx_Val_DoNotAllowRegen = 10158
DAQmx_Val_2Wire = 2
DAQmx_Val_3Wire = 3
DAQmx_Val_4Wire = 4
DAQmx_Val_Ohms = 10384
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_FromTEDS = 12516
DAQmx_Val_Ohms = 10384
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Bits = 10109
DAQmx_Val_SCXI1124Range0to1V = 14629
DAQmx_Val_SCXI1124Range0to5V = 14630
DAQmx_Val_SCXI1124Range0to10V = 14631
DAQmx_Val_SCXI1124RangeNeg1to1V = 14632
DAQmx_Val_SCXI1124RangeNeg5to5V = 14633
DAQmx_Val_SCXI1124RangeNeg10to10V = 14634
DAQmx_Val_SCXI1124Range0to20mA = 14635
DAQmx_Val_SampClkActiveEdge = 14617
DAQmx_Val_SampClkInactiveEdge = 14618
DAQmx_Val_HandshakeTriggerAsserts = 12552
DAQmx_Val_HandshakeTriggerDeasserts = 12553
DAQmx_Val_SampClk = 10388
DAQmx_Val_BurstHandshake = 12548
DAQmx_Val_Handshake = 10389
DAQmx_Val_Implicit = 10451
DAQmx_Val_OnDemand = 10390
DAQmx_Val_ChangeDetection = 12504
DAQmx_Val_PipelinedSampClk = 14668
DAQmx_Val_Linear = 10447
DAQmx_Val_MapRanges = 10448
DAQmx_Val_Polynomial = 10449
DAQmx_Val_Table = 10450
DAQmx_Val_Polynomial = 10449
DAQmx_Val_Table = 10450
DAQmx_Val_Polynomial = 10449
DAQmx_Val_Table = 10450
DAQmx_Val_None = 10230
DAQmx_Val_A = 12513
DAQmx_Val_B = 12514
DAQmx_Val_AandB = 12515
DAQmx_Val_R1 = 12465
DAQmx_Val_R2 = 12466
DAQmx_Val_R3 = 12467
DAQmx_Val_R4 = 14813
DAQmx_Val_None = 10230
DAQmx_Val_AIConvertClock = 12484
DAQmx_Val_10MHzRefClock = 12536
DAQmx_Val_20MHzTimebaseClock = 12486
DAQmx_Val_SampleClock = 12487
DAQmx_Val_AdvanceTrigger = 12488
DAQmx_Val_ReferenceTrigger = 12490
DAQmx_Val_StartTrigger = 12491
DAQmx_Val_AdvCmpltEvent = 12492
DAQmx_Val_AIHoldCmpltEvent = 12493
DAQmx_Val_CounterOutputEvent = 12494
DAQmx_Val_ChangeDetectionEvent = 12511
DAQmx_Val_WDTExpiredEvent = 12512
DAQmx_Val_SampleCompleteEvent = 12530
DAQmx_Val_CounterOutputEvent = 12494
DAQmx_Val_ChangeDetectionEvent = 12511
DAQmx_Val_SampleClock = 12487
DAQmx_Val_RisingSlope = 10280
DAQmx_Val_FallingSlope = 10171
DAQmx_Val_Pascals = 10081
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Internal = 10200
DAQmx_Val_External = 10167
DAQmx_Val_FullBridgeI = 10183
DAQmx_Val_FullBridgeII = 10184
DAQmx_Val_FullBridgeIII = 10185
DAQmx_Val_HalfBridgeI = 10188
DAQmx_Val_HalfBridgeII = 10189
DAQmx_Val_QuarterBridgeI = 10271
DAQmx_Val_QuarterBridgeII = 10272
DAQmx_Val_Strain = 10299
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Finite = 10172
DAQmx_Val_Cont = 10117
DAQmx_Val_Source = 10439
DAQmx_Val_Load = 10440
DAQmx_Val_ReservedForRouting = 10441
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_FromTEDS = 12516
DAQmx_Val_DegC = 10143
DAQmx_Val_DegF = 10144
DAQmx_Val_Kelvins = 10325
DAQmx_Val_DegR = 10145
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_J_Type_TC = 10072
DAQmx_Val_K_Type_TC = 10073
DAQmx_Val_N_Type_TC = 10077
DAQmx_Val_R_Type_TC = 10082
DAQmx_Val_S_Type_TC = 10085
DAQmx_Val_T_Type_TC = 10086
DAQmx_Val_B_Type_TC = 10047
DAQmx_Val_E_Type_TC = 10055
DAQmx_Val_Seconds = 10364
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_Seconds = 10364
DAQmx_Val_Seconds = 10364
DAQmx_Val_Ticks = 10304
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_SingleCycle = 14613
DAQmx_Val_Multicycle = 14614
DAQmx_Val_DigEdge = 10150
DAQmx_Val_None = 10230
DAQmx_Val_DigEdge = 10150
DAQmx_Val_Software = 10292
DAQmx_Val_None = 10230
DAQmx_Val_AnlgLvl = 10101
DAQmx_Val_AnlgWin = 10103
DAQmx_Val_DigLvl = 10152
DAQmx_Val_DigPattern = 10398
DAQmx_Val_None = 10230
DAQmx_Val_AnlgEdge = 10099
DAQmx_Val_DigEdge = 10150
DAQmx_Val_DigPattern = 10398
DAQmx_Val_AnlgWin = 10103
DAQmx_Val_None = 10230
DAQmx_Val_Interlocked = 12549
DAQmx_Val_None = 10230
DAQmx_Val_HaltOutputAndError = 14615
DAQmx_Val_PauseUntilDataAvailable = 14616
DAQmx_Val_Volts = 10348
DAQmx_Val_Amps = 10342
DAQmx_Val_DegF = 10144
DAQmx_Val_DegC = 10143
DAQmx_Val_DegR = 10145
DAQmx_Val_Kelvins = 10325
DAQmx_Val_Strain = 10299
DAQmx_Val_Ohms = 10384
DAQmx_Val_Hz = 10373
DAQmx_Val_Seconds = 10364
DAQmx_Val_Meters = 10219
DAQmx_Val_Inches = 10379
DAQmx_Val_Degrees = 10146
DAQmx_Val_Radians = 10273
DAQmx_Val_g = 10186
DAQmx_Val_MetersPerSecondSquared = 12470
DAQmx_Val_Pascals = 10081
DAQmx_Val_FromTEDS = 12516
DAQmx_Val_Volts = 10348
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_FromTEDS = 12516
DAQmx_Val_Volts = 10348
DAQmx_Val_FromCustomScale = 10065
DAQmx_Val_WaitForInterrupt = 12523
DAQmx_Val_Poll = 12524
DAQmx_Val_Yield = 12525
DAQmx_Val_Sleep = 12547
DAQmx_Val_Poll = 12524
DAQmx_Val_Yield = 12525
DAQmx_Val_Sleep = 12547
DAQmx_Val_WaitForInterrupt = 12523
DAQmx_Val_Poll = 12524
DAQmx_Val_WaitForInterrupt = 12523
DAQmx_Val_Poll = 12524
DAQmx_Val_EnteringWin = 10163
DAQmx_Val_LeavingWin = 10208
DAQmx_Val_InsideWin = 10199
DAQmx_Val_OutsideWin = 10251
DAQmx_Val_WriteToEEPROM = 12538
DAQmx_Val_WriteToPROM = 12539
DAQmx_Val_DoNotWrite = 12540
DAQmx_Val_FirstSample = 10424
DAQmx_Val_CurrWritePos = 10430
DAQmx_Val_Switch_Topology_1127_Independent = "1127/Independent"
DAQmx_Val_Switch_Topology_1128_Independent = "1128/Independent"
DAQmx_Val_Switch_Topology_1130_Independent = "1130/Independent"
DAQmx_Val_Switch_Topology_1160_16_SPDT = "1160/16-SPDT"
DAQmx_Val_Switch_Topology_1161_8_SPDT = "1161/8-SPDT"
DAQmx_Val_Switch_Topology_1166_32_SPDT = "1166/32-SPDT"
DAQmx_Val_Switch_Topology_1166_16_DPDT = "1166/16-DPDT"
DAQmx_Val_Switch_Topology_1167_Independent = "1167/Independent"
DAQmx_Val_Switch_Topology_1169_100_SPST = "1169/100-SPST"
DAQmx_Val_Switch_Topology_1169_50_DPST = "1169/50-DPST"
DAQmx_Val_Switch_Topology_1192_8_SPDT = "1192/8-SPDT"
DAQmx_Val_Switch_Topology_1193_Independent = "1193/Independent"
DAQmx_Val_Switch_Topology_2510_Independent = "2510/Independent"
DAQmx_Val_Switch_Topology_2512_Independent = "2512/Independent"
DAQmx_Val_Switch_Topology_2514_Independent = "2514/Independent"
DAQmx_Val_Switch_Topology_2515_Independent = "2515/Independent"
DAQmx_Val_Switch_Topology_2527_Independent = "2527/Independent"
DAQmx_Val_Switch_Topology_2530_Independent = "2530/Independent"
DAQmx_Val_Switch_Topology_2548_4_SPDT = "2548/4-SPDT"
DAQmx_Val_Switch_Topology_2558_4_SPDT = "2558/4-SPDT"
DAQmx_Val_Switch_Topology_2564_16_SPST = "2564/16-SPST"
DAQmx_Val_Switch_Topology_2564_8_DPST = "2564/8-DPST"
DAQmx_Val_Switch_Topology_2565_16_SPST = "2565/16-SPST"
DAQmx_Val_Switch_Topology_2566_16_SPDT = "2566/16-SPDT"
DAQmx_Val_Switch_Topology_2566_8_DPDT = "2566/8-DPDT"
DAQmx_Val_Switch_Topology_2567_Independent = "2567/Independent"
DAQmx_Val_Switch_Topology_2568_31_SPST = "2568/31-SPST"
DAQmx_Val_Switch_Topology_2568_15_DPST = "2568/15-DPST"
DAQmx_Val_Switch_Topology_2569_100_SPST = "2569/100-SPST"
DAQmx_Val_Switch_Topology_2569_50_DPST = "2569/50-DPST"
DAQmx_Val_Switch_Topology_2570_40_SPDT = "2570/40-SPDT"
DAQmx_Val_Switch_Topology_2570_20_DPDT = "2570/20-DPDT"
DAQmx_Val_Switch_Topology_2576_Independent = "2576/Independent"
DAQmx_Val_Switch_Topology_2584_Independent = "2584/Independent"
DAQmx_Val_Switch_Topology_2586_10_SPST = "2586/10-SPST"
DAQmx_Val_Switch_Topology_2586_5_DPST = "2586/5-DPST"
DAQmx_Val_Switch_Topology_2593_Independent = "2593/Independent"
DAQmx_Val_Switch_Topology_2599_2_SPDT = "2599/2-SPDT"
DAQmxSuccess = (0)
error_map = {50000: 'ngPALValueConflict', 50001: 'ngPALIrrelevantAttribute', 50002: 'ngPALBadDevice', 50003: 'ngPALBadSelector', 50004: 'ngPALBadPointer', 50005: 'ngPALBadDataSize', 50006: 'ngPALBadMode', 50007: 'ngPALBadOffset', 50008: 'ngPALBadCount', 50009: 'ngPALBadReadMode', 50010: 'ngPALBadReadOffset', 50011: 'ngPALBadReadCount', 50012: 'ngPALBadWriteMode', 50013: 'ngPALBadWriteOffset', 50014: 'ngPALBadWriteCount', 50015: 'ngPALBadAddressClass', 50016: 'ngPALBadWindowType', 50019: 'ngPALBadThreadMultitask', -89167: 'RoutingDestTermPXIDStarXNotInSystemTimingSlot_Routing', -89166: 'RoutingSrcTermPXIDStarXNotInSystemTimingSlot_Routing', -89165: 'RoutingSrcTermPXIDStarInNonDStarTriggerSlot_Routing', -89164: 'RoutingDestTermPXIDStarInNonDStarTriggerSlot_Routing', 50101: 'ngPALResourceNotAvailable', -89162: 'RoutingDestTermPXIClk10InNotInStarTriggerSlot_Routing', -89161: 'RoutingDestTermPXIClk10InNotInSystemTimingSlot_Routing', -89160: 'RoutingDestTermPXIStarXNotInStarTriggerSlot_Routing', -89159: 'RoutingDestTermPXIStarXNotInSystemTimingSlot_Routing', -89158: 'RoutingSrcTermPXIStarXNotInStarTriggerSlot_Routing', -89157: 'RoutingSrcTermPXIStarXNotInSystemTimingSlot_Routing', -89156: 'RoutingSrcTermPXIStarInNonStarTriggerSlot_Routing', -89155: 'RoutingDestTermPXIStarInNonStarTriggerSlot_Routing', -89154: 'RoutingDestTermPXIStarInStarTriggerSlot_Routing', -89153: 'RoutingDestTermPXIStarInSystemTimingSlot_Routing', -89152: 'RoutingSrcTermPXIStarInStarTriggerSlot_Routing', -89151: 'RoutingSrcTermPXIStarInSystemTimingSlot_Routing', -89150: 'InvalidSignalModifier_Routing', -89149: 'RoutingDestTermPXIClk10InNotInSlot2_Routing', -89148: 'RoutingDestTermPXIStarXNotInSlot2_Routing', -89147: 'RoutingSrcTermPXIStarXNotInSlot2_Routing', -89146: 'RoutingSrcTermPXIStarInSlot16AndAbove_Routing', -89145: 'RoutingDestTermPXIStarInSlot16AndAbove_Routing', -89144: 'RoutingDestTermPXIStarInSlot2_Routing', -89143: 'RoutingSrcTermPXIStarInSlot2_Routing', -89142: 'RoutingDestTermPXIChassisNotIdentified_Routing', -89141: 'RoutingSrcTermPXIChassisNotIdentified_Routing', -89140: 'TrigLineNotFoundSingleDevRoute_Routing', -89139: 'NoCommonTrigLineForRoute_Routing', -89138: 'ResourcesInUseForRouteInTask_Routing', -89137: 'ResourcesInUseForRoute_Routing', -89136: 'RouteNotSupportedByHW_Routing', -89135: 'ResourcesInUseForInversionInTask_Routing', -89134: 'ResourcesInUseForInversion_Routing', -89133: 'InversionNotSupportedByHW_Routing', -89132: 'ResourcesInUseForProperty_Routing', -89131: 'RouteSrcAndDestSame_Routing', -89130: 'DevAbsentOrUnavailable_Routing', -89129: 'InvalidTerm_Routing', -89128: 'CannotTristateTerm_Routing', -89127: 'CannotTristateBusyTerm_Routing', -89126: 'CouldNotReserveRequestedTrigLine_Routing', -89125: 'TrigLineNotFound_Routing', -89124: 'RoutingPathNotAvailable_Routing', -89123: 'RoutingHardwareBusy_Routing', -89122: 'RequestedSignalInversionForRoutingNotPossible_Routing', -89121: 'InvalidRoutingDestinationTerminalName_Routing', -89120: 'InvalidRoutingSourceTerminalName_Routing', 50151: 'ngPALFirmwareFault', 50152: 'ngPALHardwareFault', 50200: 'ngPALOSUnsupported', 50202: 'ngPALOSFault', 50254: 'ngPALFunctionObsolete', 50255: 'ngPALFunctionNotFound', 50256: 'ngPALFeatureNotSupported', 50258: 'ngPALComponentInitializationFault', 50260: 'ngPALComponentAlreadyLoaded', 50262: 'ngPALComponentNotUnloadable', 50351: 'ngPALMemoryAlignmentFault', 50355: 'ngPALMemoryHeapNotEmpty', -88907: 'ServiceLocatorNotAvailable_Routing', -88900: 'CouldNotConnectToServer_Routing', 50402: 'ngPALTransferNotInProgress', 50403: 'ngPALTransferInProgress', 50404: 'ngPALTransferStopped', 50405: 'ngPALTransferAborted', 50406: 'ngPALLogicalBufferEmpty', 50407: 'ngPALLogicalBufferFull', 50408: 'ngPALPhysicalBufferEmpty', 50409: 'ngPALPhysicalBufferFull', 50410: 'ngPALTransferOverwritten', 50411: 'ngPALTransferOverread', 50500: 'ngPALDispatcherAlreadyExported', -88720: 'DeviceNameContainsSpacesOrPunctuation_Routing', -88719: 'DeviceNameContainsNonprintableCharacters_Routing', -88718: 'DeviceNameIsEmpty_Routing', -88717: 'DeviceNameNotFound_Routing', -88716: 'LocalRemoteDriverVersionMismatch_Routing', -88715: 'DuplicateDeviceName_Routing', 50551: 'ngPALSyncAbandoned', -88710: 'RuntimeAborting_Routing', -88709: 'RuntimeAborted_Routing', -88708: 'ResourceNotInPool_Routing', -88705: 'DriverDeviceGUIDNotFound_Routing', -209805: 'COCannotKeepUpInHWTimedSinglePoint', -209803: 'WaitForNextSampClkDetected3OrMoreSampClks', -209802: 'WaitForNextSampClkDetectedMissedSampClk', -209801: 'WriteNotCompleteBeforeSampClk', -209800: 'ReadNotCompleteBeforeSampClk', 200003: 'ngTimestampCounterRolledOver', 200004: 'ngInputTerminationOverloaded', 200005: 'ngADCOverloaded', 200007: 'ngPLLUnlocked', 200008: 'ngCounter0DMADuringAIConflict', 200009: 'ngCounter1DMADuringAOConflict', 200010: 'ngStoppedBeforeDone', 200011: 'ngRateViolatesSettlingTime', 200012: 'ngRateViolatesMaxADCRate', 200013: 'ngUserDefInfoStringTooLong', 200014: 'ngTooManyInterruptsPerSecond', 200015: 'ngPotentialGlitchDuringWrite', 200016: 'ngDevNotSelfCalibratedWithDAQmx', 200017: 'ngAISampRateTooLow', 200018: 'ngAIConvRateTooLow', 200019: 'ngReadOffsetCoercion', 200020: 'ngPretrigCoercion', 200021: 'ngSampValCoercedToMax', 200022: 'ngSampValCoercedToMin', 200024: 'ngPropertyVersionNew', 200025: 'ngUserDefinedInfoTooLong', 200026: 'ngCAPIStringTruncatedToFitBuffer', 200027: 'ngSampClkRateTooLow', 200028: 'ngPossiblyInvalidCTRSampsInFiniteDMAAcq', 200029: 'ngRISAcqCompletedSomeBinsNotFilled', 200030: 'ngPXIDevTempExceedsMaxOpTemp', 200031: 'ngOutputGainTooLowForRFFreq', 200032: 'ngOutputGainTooHighForRFFreq', 200033: 'ngMultipleWritesBetweenSampClks', 200034: 'ngDeviceMayShutDownDueToHighTemp', 200035: 'ngRateViolatesMinADCRate', 200036: 'ngSampClkRateAboveDevSpecs', 200037: 'ngCOPrevDAQmxWriteSettingsOverwrittenForHWTimedSinglePoint', 200038: 'ngLowpassFilterSettlingTimeExceedsUserTimeBetween2ADCConversions', 200039: 'ngLowpassFilterSettlingTimeExceedsDriverTimeBetween2ADCConversions', 200040: 'ngSampClkRateViolatesSettlingTimeForGen', 200041: 'ngInvalidCalConstValueForAI', 200042: 'ngInvalidCalConstValueForAO', 200043: 'ngChanCalExpired', 200044: 'ngUnrecognizedEnumValueEncounteredInStorage', 200045: 'ngTableCRCNotCorrect', 200046: 'ngExternalCRCNotCorrect', 200047: 'ngSelfCalCRCNotCorrect', 200048: 'ngDeviceSpecExceeded', 200049: 'ngOnlyGainCalibrated', 200050: 'ngReversePowerProtectionActivated', 200051: 'ngOverVoltageProtectionActivated', 200052: 'ngBufferSizeNotMultipleOfSectorSize', 200053: 'ngSampleRateMayCauseAcqToFail', 200054: 'ngUserAreaCRCNotCorrect', 200055: 'ngPowerUpInfoCRCNotCorrect', -201331: 'MemoryMappedHardwareTimedNonBufferedUnsupported', -201330: 'CannotUpdatePulseTrainWithAutoIncrementEnabled', -201329: 'HWTimedSinglePointAndDataXferNotDMA', -201328: 'SCCSecondStageEmpty', -201327: 'SCCInvalidDualStageCombo', -201326: 'SCCInvalidSecondStage', -201325: 'SCCInvalidFirstStage', -201324: 'CounterMultipleSampleClockedChannels', -201323: '2CounterMeasurementModeAndSampleClocked', -201322: 'CantHaveBothMemMappedAndNonMemMappedTasks', -201321: 'MemMappedDataReadByAnotherProcess', -201320: 'RetriggeringInvalidForGivenSettings', -201319: 'AIOverrun', -201318: 'COOverrun', -201317: 'CounterMultipleBufferedChannels', -201316: 'InvalidTimebaseForCOHWTSP', -201315: 'WriteBeforeEvent', -201314: 'CIOverrun', -201313: 'CounterNonResponsiveAndReset', -201312: 'MeasTypeOrChannelNotSupportedForLogging', -201311: 'FileAlreadyOpenedForWrite', -201310: 'TdmsNotFound', -201309: 'GenericFileIO', -201308: 'FiniteSTCCounterNotSupportedForLogging', -201307: 'MeasurementTypeNotSupportedForLogging', -201306: 'FileAlreadyOpened', -201305: 'DiskFull', -201304: 'FilePathInvalid', -201303: 'FileVersionMismatch', -201302: 'FileWriteProtected', -201301: 'ReadNotSupportedForLoggingMode', -201300: 'AttributeNotSupportedWhenLogging', -201299: 'LoggingModeNotSupportedNonBuffered', -201298: 'PropertyNotSupportedWithConflictingProperty', -201297: 'ParallelSSHOnConnector1', -201296: 'COOnlyImplicitSampleTimingTypeSupported', -201295: 'CalibrationFailedAOOutOfRange', -201294: 'CalibrationFailedAIOutOfRange', -201293: 'CalPWMLinearityFailed', -201292: 'OverrunUnderflowConfigurationCombo', -201291: 'CannotWriteToFiniteCOTask', -201290: 'NetworkDAQInvalidWEPKeyLength', -201289: 'CalInputsShortedNotSupported', -201288: 'CannotSetPropertyWhenTaskIsReserved', -201287: 'Minus12VFuseBlown', -201286: 'Plus12VFuseBlown', -201285: 'Plus5VFuseBlown', -201284: 'Plus3VFuseBlown', -201283: 'DeviceSerialPortError', -201282: 'PowerUpStateMachineNotDone', -201281: 'TooManyTriggersSpecifiedInTask', -201280: 'VerticalOffsetNotSupportedOnDevice', -201279: 'InvalidCouplingForMeasurementType', -201278: 'DigitalLineUpdateTooFastForDevice', -201277: 'CertificateIsTooBigToTransfer', -201276: 'OnlyPEMOrDERCertiticatesAccepted', -201275: 'CalCouplingNotSupported', -201274: 'DeviceNotSupportedIn64Bit', -201273: 'NetworkDeviceInUse', -201272: 'InvalidIPv4AddressFormat', -201271: 'NetworkProductTypeMismatch', -201270: 'OnlyPEMCertificatesAccepted', -201269: 'CalibrationRequiresPrototypingBoardEnabled', -201268: 'AllCurrentLimitingResourcesAlreadyTaken', -201267: 'UserDefInfoStringBadLength', -201266: 'PropertyNotFound', -201265: 'OverVoltageProtectionActivated', -201264: 'ScaledIQWaveformTooLarge', -201263: 'FirmwareFailedToDownload', -201262: 'PropertyNotSupportedForBusType', -201261: 'ChangeRateWhileRunningCouldNotBeCompleted', -201260: 'CannotQueryManualControlAttribute', -201259: 'InvalidNetworkConfiguration', -201258: 'InvalidWirelessConfiguration', -201257: 'InvalidWirelessCountryCode', -201256: 'InvalidWirelessChannel', -201255: 'NetworkEEPROMHasChanged', -201254: 'NetworkSerialNumberMismatch', -201253: 'NetworkStatusDown', -201252: 'NetworkTargetUnreachable', -201251: 'NetworkTargetNotFound', -201250: 'NetworkStatusTimedOut', -201249: 'InvalidWirelessSecuritySelection', -201248: 'NetworkDeviceConfigurationLocked', -201247: 'NetworkDAQDeviceNotSupported', -201246: 'NetworkDAQCannotCreateEmptySleeve', -201244: 'ModuleTypeDoesNotMatchModuleTypeInDestination', -201243: 'InvalidTEDSInterfaceAddress', -201242: 'DevDoesNotSupportSCXIComm', -201241: 'SCXICommDevConnector0MustBeCabledToModule', -201240: 'SCXIModuleDoesNotSupportDigitizationMode', -201239: 'DevDoesNotSupportMultiplexedSCXIDigitizationMode', -201238: 'DevOrDevPhysChanDoesNotSupportSCXIDigitization', -201237: 'InvalidPhysChanName', -201236: 'SCXIChassisCommModeInvalid', -201235: 'RequiredDependencyNotFound', -201234: 'InvalidStorage', -201233: 'InvalidObject', -201232: 'StorageAlteredPriorToSave', -201231: 'TaskDoesNotReferenceLocalChannel', -201230: 'ReferencedDevSimMustMatchTarget', -201229: 'ProgrammedIOFailsBecauseOfWatchdogTimer', -201228: 'WatchdogTimerFailsBecauseOfProgrammedIO', -201227: 'CantUseThisTimingEngineWithAPort', -201226: 'ProgrammedIOConflict', -201225: 'ChangeDetectionIncompatibleWithProgrammedIO', -201224: 'TristateNotEnoughLines', -201223: 'TristateConflict', -201222: 'GenerateOrFiniteWaitExpectedBeforeBreakBlock', -201221: 'BreakBlockNotAllowedInLoop', -201220: 'ClearTriggerNotAllowedInBreakBlock', -201219: 'NestingNotAllowedInBreakBlock', -201218: 'IfElseBlockNotAllowedInBreakBlock', -201217: 'RepeatUntilTriggerLoopNotAllowedInBreakBlock', -201216: 'WaitUntilTriggerNotAllowedInBreakBlock', -201215: 'MarkerPosInvalidInBreakBlock', -201214: 'InvalidWaitDurationInBreakBlock', -201213: 'InvalidSubsetLengthInBreakBlock', -201212: 'InvalidWaveformLengthInBreakBlock', -201211: 'InvalidWaitDurationBeforeBreakBlock', -201210: 'InvalidSubsetLengthBeforeBreakBlock', -201209: 'InvalidWaveformLengthBeforeBreakBlock', -201208: 'SampleRateTooHighForADCTimingMode', -201207: 'ActiveDevNotSupportedWithMultiDevTask', -201206: 'RealDevAndSimDevNotSupportedInSameTask', -201205: 'RTSISimMustMatchDevSim', -201204: 'BridgeShuntCaNotSupported', -201203: 'StrainShuntCaNotSupported', -201202: 'GainTooLargeForGainCalConst', -201201: 'OffsetTooLargeForOffsetCalConst', -201200: 'ElvisPrototypingBoardRemoved', -201199: 'Elvis2PowerRailFault', -201198: 'Elvis2PhysicalChansFault', -201197: 'Elvis2PhysicalChansThermalEvent', -201196: 'RXBitErrorRateLimitExceeded', -201195: 'PHYBitErrorRateLimitExceeded', -201194: 'TwoPartAttributeCalledOutOfOrder', -201193: 'InvalidSCXIChassisAddress', -201192: 'CouldNotConnectToRemoteMXS', -201191: 'ExcitationStateRequiredForAttributes', -201190: 'DeviceNotUsableUntilUSBReplug', -201189: 'InputFIFOOverflowDuringCalibrationOnFullSpeedUSB', -201188: 'InputFIFOOverflowDuringCalibration', -201187: 'CJCChanConflictsWithNonThermocoupleChan', -201186: 'CommDeviceForPXIBackplaneNotInRightmostSlot', -201185: 'CommDeviceForPXIBackplaneNotInSameChassis', -201184: 'CommDeviceForPXIBackplaneNotPXI', -201183: 'InvalidCalExcitFrequency', -201182: 'InvalidCalExcitVoltage', -201181: 'InvalidAIInputSrc', -201180: 'InvalidCalInputRef', -201179: 'dBReferenceValueNotGreaterThanZero', -201178: 'SampleClockRateIsTooFastForSampleClockTiming', -201177: 'DeviceNotUsableUntilColdStart', -201176: 'SampleClockRateIsTooFastForBurstTiming', -201175: 'DevImportFailedAssociatedResourceIDsNotSupported', -201174: 'SCXI1600ImportNotSupported', -201173: 'PowerSupplyConfigurationFailed', -201172: 'IEPEWithDCNotAllowed', -201171: 'MinTempForThermocoupleTypeOutsideAccuracyForPolyScaling', -201170: 'DevImportFailedNoDeviceToOverwriteAndSimulationNotSupported', -201169: 'DevImportFailedDeviceNotSupportedOnDestination', -201168: 'FirmwareIsTooOld', -201167: 'FirmwareCouldntUpdate', -201166: 'FirmwareIsCorrupt', -201165: 'FirmwareTooNew', -201164: 'SampClockCannotBeExportedFromExternalSampClockSrc', -201163: 'PhysChanReservedForInputWhenDesiredForOutput', -201162: 'PhysChanReservedForOutputWhenDesiredForInput', -201161: 'SpecifiedCDAQSlotNotEmpty', -201160: 'DeviceDoesNotSupportSimulation', -201159: 'InvalidCDAQSlotNumberSpecd', -201158: 'CSeriesModSimMustMatchCDAQChassisSim', -201157: 'SCCCabledDevMustNotBeSimWhenSCCCarrierIsNotSim', -201156: 'SCCModSimMustMatchSCCCarrierSim', -201155: 'SCXIModuleDoesNotSupportSimulation', -201154: 'SCXICableDevMustNotBeSimWhenModIsNotSim', -201153: 'SCXIDigitizerSimMustNotBeSimWhenModIsNotSim', -201152: 'SCXIModSimMustMatchSCXIChassisSim', -201151: 'SimPXIDevReqSlotAndChassisSpecd', -201150: 'SimDevConflictWithRealDev', -201149: 'InsufficientDataForCalibration', -201148: 'TriggerChannelMustBeEnabled', -201147: 'CalibrationDataConflictCouldNotBeResolved', -201146: 'SoftwareTooNewForSelfCalibrationData', -201145: 'SoftwareTooNewForExtCalibrationData', -201144: 'SelfCalibrationDataTooNewForSoftware', -201143: 'ExtCalibrationDataTooNewForSoftware', -201142: 'SoftwareTooNewForEEPROM', -201141: 'EEPROMTooNewForSoftware', -201140: 'SoftwareTooNewForHardware', -201139: 'HardwareTooNewForSoftware', -201138: 'TaskCannotRestartFirstSampNotAvailToGenerate', -201137: 'OnlyUseStartTrigSrcPrptyWithDevDataLines', -201136: 'OnlyUsePauseTrigSrcPrptyWithDevDataLines', -201135: 'OnlyUseRefTrigSrcPrptyWithDevDataLines', -201134: 'PauseTrigDigPatternSizeDoesNotMatchSrcSize', -201133: 'LineConflictCDAQ', -201132: 'CannotWriteBeyondFinalFiniteSample', -201131: 'RefAndStartTriggerSrcCantBeSame', -201130: 'MemMappingIncompatibleWithPhysChansInTask', -201129: 'OutputDriveTypeMemMappingConflict', -201128: 'CAPIDeviceIndexInvalid', -201127: 'RatiometricDevicesMustUseExcitationForScaling', -201126: 'PropertyRequiresPerDeviceCfg', -201125: 'AICouplingAndAIInputSourceConflict', -201124: 'OnlyOneTaskCanPerformDOMemoryMappingAtATime', -201123: 'TooManyChansForAnalogRefTrigCDAQ', -201122: 'SpecdPropertyValueIsIncompatibleWithSampleTimingType', -201121: 'CPUNotSupportedRequireSSE', -201120: 'SpecdPropertyValueIsIncompatibleWithSampleTimingResponseMode', -201119: 'ConflictingNextWriteIsLastAndRegenModeProperties', -201118: 'MStudioOperationDoesNotSupportDeviceContext', -201117: 'PropertyValueInChannelExpansionContextInvalid', -201116: 'HWTimedNonBufferedAONotSupported', -201115: 'WaveformLengthNotMultOfQuantum', -201114: 'DSAExpansionMixedBoardsWrongOrderInPXIChassis', -201113: 'PowerLevelTooLowForOOK', -201112: 'DeviceComponentTestFailure', -201111: 'UserDefinedWfmWithOOKUnsupported', -201110: 'InvalidDigitalModulationUserDefinedWaveform', -201109: 'BothRefInAndRefOutEnabled', -201108: 'BothAnalogAndDigitalModulationEnabled', -201107: 'BufferedOpsNotSupportedInSpecdSlotForCDAQ', -201106: 'PhysChanNotSupportedInSpecdSlotForCDAQ', -201105: 'ResourceReservedWithConflictingSettings', -201104: 'InconsistentAnalogTrigSettingsCDAQ', -201103: 'TooManyChansForAnalogPauseTrigCDAQ', -201102: 'AnalogTrigNotFirstInScanListCDAQ', -201101: 'TooManyChansGivenTimingType', -201100: 'SampClkTimebaseDivWithExtSampClk', -201099: 'CantSaveTaskWithPerDeviceTimingProperties', -201098: 'ConflictingAutoZeroMode', -201097: 'SampClkRateNotSupportedWithEAREnabled', -201096: 'SampClkTimebaseRateNotSpecd', -201095: 'SessionCorruptedByDLLReload', -201094: 'ActiveDevNotSupportedWithChanExpansion', -201093: 'SampClkRateInvalid', -201092: 'ExtSyncPulseSrcCannotBeExported', -201091: 'SyncPulseMinDelayToStartNeededForExtSyncPulseSrc', -201090: 'SyncPulseSrcInvalid', -201089: 'SampClkTimebaseRateInvalid', -201088: 'SampClkTimebaseSrcInvalid', -201087: 'SampClkRateMustBeSpecd', -201086: 'InvalidAttributeName', -201085: 'CJCChanNameMustBeSetWhenCJCSrcIsScannableChan', -201084: 'HiddenChanMissingInChansPropertyInCfgFile', -201083: 'ChanNamesNotSpecdInCfgFile', -201082: 'DuplicateHiddenChanNamesInCfgFile', -201081: 'DuplicateChanNameInCfgFile', -201080: 'InvalidSCCModuleForSlotSpecd', -201079: 'InvalidSCCSlotNumberSpecd', -201078: 'InvalidSectionIdentifier', -201077: 'InvalidSectionName', -201076: 'DAQmxVersionNotSupported', -201075: 'SWObjectsFoundInFile', -201074: 'HWObjectsFoundInFile', -201073: 'LocalChannelSpecdWithNoParentTask', -201072: 'TaskReferencesMissingLocalChannel', -201071: 'TaskReferencesLocalChannelFromOtherTask', -201070: 'TaskMissingChannelProperty', -201069: 'InvalidLocalChanName', -201068: 'InvalidEscapeCharacterInString', -201067: 'InvalidTableIdentifier', -201066: 'ValueFoundInInvalidColumn', -201065: 'MissingStartOfTable', -201064: 'FileMissingRequiredDAQmxHeader', -201063: 'DeviceIDDoesNotMatch', -201062: 'BufferedOperationsNotSupportedOnSelectedLines', -201061: 'PropertyConflictsWithScale', -201060: 'InvalidINIFileSyntax', -201059: 'DeviceInfoFailedPXIChassisNotIdentified', -201058: 'InvalidHWProductNumber', -201057: 'InvalidHWProductType', -201056: 'InvalidNumericFormatSpecd', -201055: 'DuplicatePropertyInObject', -201054: 'InvalidEnumValueSpecd', -201053: 'TEDSSensorPhysicalChannelConflict', -201052: 'TooManyPhysicalChansForTEDSInterfaceSpecd', -201051: 'IncapableTEDSInterfaceControllingDeviceSpecd', -201050: 'SCCCarrierSpecdIsMissing', -201049: 'IncapableSCCDigitizingDeviceSpecd', -201048: 'AccessorySettingNotApplicable', -201047: 'DeviceAndConnectorSpecdAlreadyOccupied', -201046: 'IllegalAccessoryTypeForDeviceSpecd', -201045: 'InvalidDeviceConnectorNumberSpecd', -201044: 'InvalidAccessoryName', -201043: 'MoreThanOneMatchForSpecdDevice', -201042: 'NoMatchForSpecdDevice', -201041: 'ProductTypeAndProductNumberConflict', -201040: 'ExtraPropertyDetectedInSpecdObject', -201039: 'RequiredPropertyMissing', -201038: 'CantSetAuthorForLocalChan', -201037: 'InvalidTimeValue', -201036: 'InvalidTimeFormat', -201035: 'DigDevChansSpecdInModeOtherThanParallel', -201034: 'CascadeDigitizationModeNotSupported', -201033: 'SpecdSlotAlreadyOccupied', -201032: 'InvalidSCXISlotNumberSpecd', -201031: 'AddressAlreadyInUse', -201030: 'SpecdDeviceDoesNotSupportRTSI', -201029: 'SpecdDeviceIsAlreadyOnRTSIBus', -201028: 'IdentifierInUse', -201027: 'WaitForNextSampleClockOrReadDetected3OrMoreMissedSampClks', -201026: 'HWTimedAndDataXferPIO', -201025: 'NonBufferedAndHWTimed', -201024: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriodPolled', -201023: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriod2', -201022: 'COCannotKeepUpInHWTimedSinglePointPolled', -201021: 'WriteRecoveryCannotKeepUpInHWTimedSinglePoint', -201020: 'NoChangeDetectionOnSelectedLineForDevice', -201019: 'SMIOPauseTriggersNotSupportedWithChannelExpansion', -201018: 'ClockMasterForExternalClockNotLongestPipeline', -201017: 'UnsupportedUnicodeByteOrderMarker', -201016: 'TooManyInstructionsInLoopInScript', -201015: 'PLLNotLocked', -201014: 'IfElseBlockNotAllowedInFiniteRepeatLoopInScript', -201013: 'IfElseBlockNotAllowedInConditionalRepeatLoopInScript', -201012: 'ClearIsLastInstructionInIfElseBlockInScript', -201011: 'InvalidWaitDurationBeforeIfElseBlockInScript', -201010: 'MarkerPosInvalidBeforeIfElseBlockInScript', -201009: 'InvalidSubsetLengthBeforeIfElseBlockInScript', -201008: 'InvalidWaveformLengthBeforeIfElseBlockInScript', -201007: 'GenerateOrFiniteWaitInstructionExpectedBeforeIfElseBlockInScript', -201006: 'CalPasswordNotSupported', -201005: 'SetupCalNeededBeforeAdjustCal', -201004: 'MultipleChansNotSupportedDuringCalSetup', -201003: 'DevCannotBeAccessed', -201002: 'SampClkRateDoesntMatchSampClkSrc', -201001: 'SampClkRateNotSupportedWithEARDisabled', -201000: 'LabVIEWVersionDoesntSupportDAQmxEvents', -200999: 'COReadyForNewValNotSupportedWithOnDemand', -200998: 'CIHWTimedSinglePointNotSupportedForMeasType', -200997: 'OnDemandNotSupportedWithHWTimedSinglePoint', -200996: 'HWTimedSinglePointAndDataXferNotProgIO', -200995: 'MemMapAndHWTimedSinglePoint', -200994: 'CannotSetPropertyWhenHWTimedSinglePointTaskIsRunning', -200993: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriod', -200992: 'TooManyEventsGenerated', -200991: 'MStudioCppRemoveEventsBeforeStop', -200990: 'CAPICannotRegisterSyncEventsFromMultipleThreads', -200989: 'ReadWaitNextSampClkWaitMismatchTwo', -200988: 'ReadWaitNextSampClkWaitMismatchOne', -200987: 'DAQmxSignalEventTypeNotSupportedByChanTypesOrDevicesInTask', -200986: 'CannotUnregisterDAQmxSoftwareEventWhileTaskIsRunning', -200985: 'AutoStartWriteNotAllowedEventRegistered', -200984: 'AutoStartReadNotAllowedEventRegistered', -200983: 'CannotGetPropertyWhenTaskNotReservedCommittedOrRunning', -200982: 'SignalEventsNotSupportedByDevice', -200981: 'EveryNSamplesAcqIntoBufferEventNotSupportedByDevice', -200980: 'EveryNSampsTransferredFromBufferEventNotSupportedByDevice', -200979: 'CAPISyncEventsTaskStateChangeNotAllowedFromDifferentThread', -200978: 'DAQmxSWEventsWithDifferentCallMechanisms', -200977: 'CantSaveChanWithPolyCalScaleAndAllowInteractiveEdit', -200976: 'ChanDoesNotSupportCJC', -200975: 'COReadyForNewValNotSupportedWithHWTimedSinglePoint', -200974: 'DACAllowConnToGndNotSupportedByDevWhenRefSrcExt', -200973: 'CantGetPropertyTaskNotRunning', -200972: 'CantSetPropertyTaskNotRunning', -200971: 'CantSetPropertyTaskNotRunningCommitted', -200970: 'AIEveryNSampsEventIntervalNotMultipleOf2', -200969: 'InvalidTEDSPhysChanNotAI', -200968: 'CAPICannotPerformTaskOperationInAsyncCallback', -200967: 'EveryNSampsTransferredFromBufferEventAlreadyRegistered', -200966: 'EveryNSampsAcqIntoBufferEventAlreadyRegistered', -200965: 'EveryNSampsTransferredFromBufferNotForInput', -200964: 'EveryNSampsAcqIntoBufferNotForOutput', -200963: 'AOSampTimingTypeDifferentIn2Tasks', -200962: 'CouldNotDownloadFirmwareHWDamaged', -200961: 'CouldNotDownloadFirmwareFileMissingOrDamaged', -200960: 'CannotRegisterDAQmxSoftwareEventWhileTaskIsRunning', -200959: 'DifferentRawDataCompression', -200958: 'ConfiguredTEDSInterfaceDevNotDetected', -200957: 'CompressedSampSizeExceedsResolution', -200956: 'ChanDoesNotSupportCompression', -200955: 'DifferentRawDataFormats', -200954: 'SampClkOutputTermIncludesStartTrigSrc', -200953: 'StartTrigSrcEqualToSampClkSrc', -200952: 'EventOutputTermIncludesTrigSrc', -200951: 'COMultipleWritesBetweenSampClks', -200950: 'DoneEventAlreadyRegistered', -200949: 'SignalEventAlreadyRegistered', -200948: 'CannotHaveTimedLoopAndDAQmxSignalEventsInSameTask', -200947: 'NeedLabVIEW711PatchToUseDAQmxEvents', -200946: 'StartFailedDueToWriteFailure', -200945: 'DataXferCustomThresholdNotDMAXferMethodSpecifiedForDev', -200944: 'DataXferRequestConditionNotSpecifiedForCustomThreshold', -200943: 'DataXferCustomThresholdNotSpecified', -200942: 'CAPISyncCallbackNotSupportedOnThisPlatform', -200941: 'CalChanReversePolyCoefNotSpecd', -200940: 'CalChanForwardPolyCoefNotSpecd', -200939: 'ChanCalRepeatedNumberInPreScaledVals', -200938: 'ChanCalTableNumScaledNotEqualNumPrescaledVals', -200937: 'ChanCalTableScaledValsNotSpecd', -200936: 'ChanCalTablePreScaledValsNotSpecd', -200935: 'ChanCalScaleTypeNotSet', -200934: 'ChanCalExpired', -200933: 'ChanCalExpirationDateNotSet', -200932: '3OutputPortCombinationGivenSampTimingType653x', -200931: '3InputPortCombinationGivenSampTimingType653x', -200930: '2OutputPortCombinationGivenSampTimingType653x', -200929: '2InputPortCombinationGivenSampTimingType653x', -200928: 'PatternMatcherMayBeUsedByOneTrigOnly', -200927: 'NoChansSpecdForPatternSource', -200926: 'ChangeDetectionChanNotInTask', -200925: 'ChangeDetectionChanNotTristated', -200924: 'WaitModeValueNotSupportedNonBuffered', -200923: 'WaitModePropertyNotSupportedNonBuffered', -200922: 'CantSavePerLineConfigDigChanSoInteractiveEditsAllowed', -200921: 'CantSaveNonPortMultiLineDigChanSoInteractiveEditsAllowed', -200920: 'BufferSizeNotMultipleOfEveryNSampsEventIntervalNoIrqOnDev', -200919: 'GlobalTaskNameAlreadyChanName', -200918: 'GlobalChanNameAlreadyTaskName', -200917: 'AOEveryNSampsEventIntervalNotMultipleOf2', -200916: 'SampleTimebaseDivisorNotSupportedGivenTimingType', -200915: 'HandshakeEventOutputTermNotSupportedGivenTimingType', -200914: 'ChangeDetectionOutputTermNotSupportedGivenTimingType', -200913: 'ReadyForTransferOutputTermNotSupportedGivenTimingType', -200912: 'RefTrigOutputTermNotSupportedGivenTimingType', -200911: 'StartTrigOutputTermNotSupportedGivenTimingType', -200910: 'SampClockOutputTermNotSupportedGivenTimingType', -200909: '20MhzTimebaseNotSupportedGivenTimingType', -200908: 'SampClockSourceNotSupportedGivenTimingType', -200907: 'RefTrigTypeNotSupportedGivenTimingType', -200906: 'PauseTrigTypeNotSupportedGivenTimingType', -200905: 'HandshakeTrigTypeNotSupportedGivenTimingType', -200904: 'StartTrigTypeNotSupportedGivenTimingType', -200903: 'RefClkSrcNotSupported', -200902: 'DataVoltageLowAndHighIncompatible', -200901: 'InvalidCharInDigPatternString', -200900: 'CantUsePort3AloneGivenSampTimingTypeOn653x', -200899: 'CantUsePort1AloneGivenSampTimingTypeOn653x', -200898: 'PartialUseOfPhysicalLinesWithinPortNotSupported653x', -200897: 'PhysicalChanNotSupportedGivenSampTimingType653x', -200896: 'CanExportOnlyDigEdgeTrigs', -200895: 'RefTrigDigPatternSizeDoesNotMatchSourceSize', -200894: 'StartTrigDigPatternSizeDoesNotMatchSourceSize', -200893: 'ChangeDetectionRisingAndFallingEdgeChanDontMatch', -200892: 'PhysicalChansForChangeDetectionAndPatternMatch653x', -200891: 'CanExportOnlyOnboardSampClk', -200890: 'InternalSampClkNotRisingEdge', -200889: 'RefTrigDigPatternChanNotInTask', -200888: 'RefTrigDigPatternChanNotTristated', -200887: 'StartTrigDigPatternChanNotInTask', -200886: 'StartTrigDigPatternChanNotTristated', -200885: 'PXIStarAndClock10Sync', -200884: 'GlobalChanCannotBeSavedSoInteractiveEditsAllowed', -200883: 'TaskCannotBeSavedSoInteractiveEditsAllowed', -200882: 'InvalidGlobalChan', -200881: 'EveryNSampsEventAlreadyRegistered', -200880: 'EveryNSampsEventIntervalZeroNotSupported', -200879: 'ChanSizeTooBigForU16PortWrite', -200878: 'ChanSizeTooBigForU16PortRead', -200877: 'BufferSizeNotMultipleOfEveryNSampsEventIntervalWhenDMA', -200876: 'WriteWhenTaskNotRunningCOTicks', -200875: 'WriteWhenTaskNotRunningCOFreq', -200874: 'WriteWhenTaskNotRunningCOTime', -200873: 'AOMinMaxNotSupportedDACRangeTooSmall', -200872: 'AOMinMaxNotSupportedGivenDACRange', -200871: 'AOMinMaxNotSupportedGivenDACRangeAndOffsetVal', -200870: 'AOMinMaxNotSupportedDACOffsetValInappropriate', -200869: 'AOMinMaxNotSupportedGivenDACOffsetVal', -200868: 'AOMinMaxNotSupportedDACRefValTooSmall', -200867: 'AOMinMaxNotSupportedGivenDACRefVal', -200866: 'AOMinMaxNotSupportedGivenDACRefAndOffsetVal', -200865: 'WhenAcqCompAndNumSampsPerChanExceedsOnBrdBufSize', -200864: 'WhenAcqCompAndNoRefTrig', -200863: 'WaitForNextSampClkNotSupported', -200862: 'DevInUnidentifiedPXIChassis', -200861: 'MaxSoundPressureMicSensitivitRelatedAIPropertiesNotSupportedByDev', -200860: 'MaxSoundPressureAndMicSensitivityNotSupportedByDev', -200859: 'AOBufferSizeZeroForSampClkTimingType', -200858: 'AOCallWriteBeforeStartForSampClkTimingType', -200857: 'InvalidCalLowPassCutoffFreq', -200856: 'SimulationCannotBeDisabledForDevCreatedAsSimulatedDev', -200855: 'CannotAddNewDevsAfterTaskConfiguration', -200854: 'DifftSyncPulseSrcAndSampClkTimebaseSrcDevMultiDevTask', -200853: 'TermWithoutDevInMultiDevTask', -200852: 'SyncNoDevSampClkTimebaseOrSyncPulseInPXISlot2', -200851: 'PhysicalChanNotOnThisConnector', -200850: 'NumSampsToWaitNotGreaterThanZeroInScript', -200849: 'NumSampsToWaitNotMultipleOfAlignmentQuantumInScript', -200848: 'EveryNSamplesEventNotSupportedForNonBufferedTasks', -200847: 'BufferedAndDataXferPIO', -200846: 'CannotWriteWhenAutoStartFalseAndTaskNotRunning', -200845: 'NonBufferedAndDataXferInterrupts', -200844: 'WriteFailedMultipleCtrsWithFREQOUT', -200843: 'ReadNotCompleteBefore3SampClkEdges', -200842: 'CtrHWTimedSinglePointAndDataXferNotProgIO', -200841: 'PrescalerNot1ForInputTerminal', -200840: 'PrescalerNot1ForTimebaseSrc', -200839: 'SampClkTimingTypeWhenTristateIsFalse', -200838: 'OutputBufferSizeNotMultOfXferSize', -200837: 'SampPerChanNotMultOfXferSize', -200836: 'WriteToTEDSFailed', -200835: 'SCXIDevNotUsablePowerTurnedOff', -200834: 'CannotReadWhenAutoStartFalseBufSizeZeroAndTaskNotRunning', -200833: 'CannotReadWhenAutoStartFalseHWTimedSinglePtAndTaskNotRunning', -200832: 'CannotReadWhenAutoStartFalseOnDemandAndTaskNotRunning', -200831: 'SimultaneousAOWhenNotOnDemandTiming', -200830: 'MemMapAndSimultaneousAO', -200829: 'WriteFailedMultipleCOOutputTypes', -200828: 'WriteToTEDSNotSupportedOnRT', -200827: 'VirtualTEDSDataFileError', -200826: 'TEDSSensorDataError', -200825: 'DataSizeMoreThanSizeOfEEPROMOnTEDS', -200824: 'PROMOnTEDSContainsBasicTEDSData', -200823: 'PROMOnTEDSAlreadyWritten', -200822: 'TEDSDoesNotContainPROM', -200821: 'HWTimedSinglePointNotSupportedAI', -200820: 'HWTimedSinglePointOddNumChansInAITask', -200819: 'CantUseOnlyOnBoardMemWithProgrammedIO', -200818: 'SwitchDevShutDownDueToHighTemp', -200817: 'ExcitationNotSupportedWhenTermCfgDiff', -200816: 'TEDSMinElecValGEMaxElecVal', -200815: 'TEDSMinPhysValGEMaxPhysVal', -200814: 'CIOnboardClockNotSupportedAsInputTerm', -200813: 'InvalidSampModeForPositionMeas', -200812: 'TrigWhenAOHWTimedSinglePtSampMode', -200811: 'DAQmxCantUseStringDueToUnknownChar', -200810: 'DAQmxCantRetrieveStringDueToUnknownChar', -200809: 'ClearTEDSNotSupportedOnRT', -200808: 'CfgTEDSNotSupportedOnRT', -200807: 'ProgFilterClkCfgdToDifferentMinPulseWidthBySameTask1PerDev', -200806: 'ProgFilterClkCfgdToDifferentMinPulseWidthByAnotherTask1PerDev', -200804: 'NoLastExtCalDateTimeLastExtCalNotDAQmx', -200803: 'CannotWriteNotStartedAutoStartFalseNotOnDemandHWTimedSglPt', -200802: 'CannotWriteNotStartedAutoStartFalseNotOnDemandBufSizeZero', -200801: 'COInvalidTimingSrcDueToSignal', -200800: 'CIInvalidTimingSrcForSampClkDueToSampTimingType', -200799: 'CIInvalidTimingSrcForEventCntDueToSampMode', -200798: 'NoChangeDetectOnNonInputDigLineForDev', -200797: 'EmptyStringTermNameNotSupported', -200796: 'MemMapEnabledForHWTimedNonBufferedAO', -200795: 'DevOnboardMemOverflowDuringHWTimedNonBufferedGen', -200794: 'CODAQmxWriteMultipleChans', -200793: 'CantMaintainExistingValueAOSync', -200792: 'MStudioMultiplePhysChansNotSupported', -200791: 'CantConfigureTEDSForChan', -200790: 'WriteDataTypeTooSmall', -200789: 'ReadDataTypeTooSmall', -200788: 'MeasuredBridgeOffsetTooHigh', -200787: 'StartTrigConflictWithCOHWTimedSinglePt', -200786: 'SampClkRateExtSampClkTimebaseRateMismatch', -200785: 'InvalidTimingSrcDueToSampTimingType', -200784: 'VirtualTEDSFileNotFound', -200783: 'MStudioNoForwardPolyScaleCoeffs', -200782: 'MStudioNoReversePolyScaleCoeffs', -200781: 'MStudioNoPolyScaleCoeffsUseCalc', -200780: 'MStudioNoForwardPolyScaleCoeffsUseCalc', -200779: 'MStudioNoReversePolyScaleCoeffsUseCalc', -200778: 'COSampModeSampTimingTypeSampClkConflict', -200777: 'DevCannotProduceMinPulseWidth', -200776: 'CannotProduceMinPulseWidthGivenPropertyValues', -200775: 'TermCfgdToDifferentMinPulseWidthByAnotherTask', -200774: 'TermCfgdToDifferentMinPulseWidthByAnotherProperty', -200773: 'DigSyncNotAvailableOnTerm', -200772: 'DigFilterNotAvailableOnTerm', -200771: 'DigFilterEnabledMinPulseWidthNotCfg', -200770: 'DigFilterAndSyncBothEnabled', -200769: 'HWTimedSinglePointAOAndDataXferNotProgIO', -200768: 'NonBufferedAOAndDataXferNotProgIO', -200767: 'ProgIODataXferForBufferedAO', -200766: 'TEDSLegacyTemplateIDInvalidOrUnsupported', -200765: 'TEDSMappingMethodInvalidOrUnsupported', -200764: 'TEDSLinearMappingSlopeZero', -200763: 'AIInputBufferSizeNotMultOfXferSize', -200762: 'NoSyncPulseExtSampClkTimebase', -200761: 'NoSyncPulseAnotherTaskRunning', -200760: 'AOMinMaxNotInGainRange', -200759: 'AOMinMaxNotInDACRange', -200758: 'DevOnlySupportsSampClkTimingAO', -200757: 'DevOnlySupportsSampClkTimingAI', -200756: 'TEDSIncompatibleSensorAndMeasType', -200755: 'TEDSMultipleCalTemplatesNotSupported', -200754: 'TEDSTemplateParametersNotSupported', -200753: 'ParsingTEDSData', -200752: 'MultipleActivePhysChansNotSupported', -200751: 'NoChansSpecdForChangeDetect', -200750: 'InvalidCalVoltageForGivenGain', -200749: 'InvalidCalGain', -200748: 'MultipleWritesBetweenSampClks', -200747: 'InvalidAcqTypeForFREQOUT', -200746: 'SuitableTimebaseNotFoundTimeCombo2', -200745: 'SuitableTimebaseNotFoundFrequencyCombo2', -200744: 'RefClkRateRefClkSrcMismatch', -200743: 'NoTEDSTerminalBlock', -200742: 'CorruptedTEDSMemory', -200741: 'TEDSNotSupported', -200740: 'TimingSrcTaskStartedBeforeTimedLoop', -200739: 'PropertyNotSupportedForTimingSrc', -200738: 'TimingSrcDoesNotExist', -200737: 'InputBufferSizeNotEqualSampsPerChanForFiniteSampMode', -200736: 'FREQOUTCannotProduceDesiredFrequency2', -200735: 'ExtRefClkRateNotSpecified', -200734: 'DeviceDoesNotSupportDMADataXferForNonBufferedAcq', -200733: 'DigFilterMinPulseWidthSetWhenTristateIsFalse', -200732: 'DigFilterEnableSetWhenTristateIsFalse', -200731: 'NoHWTimingWithOnDemand', -200730: 'CannotDetectChangesWhenTristateIsFalse', -200729: 'CannotHandshakeWhenTristateIsFalse', -200728: 'LinesUsedForStaticInputNotForHandshakingControl', -200727: 'LinesUsedForHandshakingControlNotForStaticInput', -200726: 'LinesUsedForStaticInputNotForHandshakingInput', -200725: 'LinesUsedForHandshakingInputNotForStaticInput', -200724: 'DifferentDITristateValsForChansInTask', -200723: 'TimebaseCalFreqVarianceTooLarge', -200722: 'TimebaseCalFailedToConverge', -200721: 'InadequateResolutionForTimebaseCal', -200720: 'InvalidAOGainCalConst', -200719: 'InvalidAOOffsetCalConst', -200718: 'InvalidAIGainCalConst', -200717: 'InvalidAIOffsetCalConst', -200716: 'DigOutputOverrun', -200715: 'DigInputOverrun', -200714: 'AcqStoppedDriverCantXferDataFastEnough', -200713: 'ChansCantAppearInSameTask', -200712: 'InputCfgFailedBecauseWatchdogExpired', -200711: 'AnalogTrigChanNotExternal', -200710: 'TooManyChansForInternalAIInputSrc', -200709: 'TEDSSensorNotDetected', -200708: 'PrptyGetSpecdActiveItemFailedDueToDifftValues', -200706: 'RoutingDestTermPXIClk10InNotInSlot2', -200705: 'RoutingDestTermPXIStarXNotInSlot2', -200704: 'RoutingSrcTermPXIStarXNotInSlot2', -200703: 'RoutingSrcTermPXIStarInSlot16AndAbove', -200702: 'RoutingDestTermPXIStarInSlot16AndAbove', -200701: 'RoutingDestTermPXIStarInSlot2', -200700: 'RoutingSrcTermPXIStarInSlot2', -200699: 'RoutingDestTermPXIChassisNotIdentified', -200698: 'RoutingSrcTermPXIChassisNotIdentified', -200697: 'FailedToAcquireCalData', -200696: 'BridgeOffsetNullingCalNotSupported', -200695: 'AIMaxNotSpecified', -200694: 'AIMinNotSpecified', -200693: 'OddTotalBufferSizeToWrite', -200692: 'OddTotalNumSampsToWrite', -200691: 'BufferWithWaitMode', -200690: 'BufferWithHWTimedSinglePointSampMode', -200689: 'COWritePulseLowTicksNotSupported', -200688: 'COWritePulseHighTicksNotSupported', -200687: 'COWritePulseLowTimeOutOfRange', -200686: 'COWritePulseHighTimeOutOfRange', -200685: 'COWriteFreqOutOfRange', -200684: 'COWriteDutyCycleOutOfRange', -200683: 'InvalidInstallation', -200682: 'RefTrigMasterSessionUnavailable', -200681: 'RouteFailedBecauseWatchdogExpired', -200680: 'DeviceShutDownDueToHighTemp', -200679: 'NoMemMapWhenHWTimedSinglePoint', -200678: 'WriteFailedBecauseWatchdogExpired', -200677: 'DifftInternalAIInputSrcs', -200676: 'DifftAIInputSrcInOneChanGroup', -200675: 'InternalAIInputSrcInMultChanGroups', -200674: 'SwitchOpFailedDueToPrevError', -200673: 'WroteMultiSampsUsingSingleSampWrite', -200672: 'MismatchedInputArraySizes', -200671: 'CantExceedRelayDriveLimit', -200670: 'DACRngLowNotEqualToMinusRefVal', -200669: 'CantAllowConnectDACToGnd', -200668: 'WatchdogTimeoutOutOfRangeAndNotSpecialVal', -200667: 'NoWatchdogOutputOnPortReservedForInput', -200666: 'NoInputOnPortCfgdForWatchdogOutput', -200665: 'WatchdogExpirationStateNotEqualForLinesInPort', -200664: 'CannotPerformOpWhenTaskNotReserved', -200663: 'PowerupStateNotSupported', -200662: 'WatchdogTimerNotSupported', -200661: 'OpNotSupportedWhenRefClkSrcNone', -200660: 'SampClkRateUnavailable', -200659: 'PrptyGetSpecdSingleActiveChanFailedDueToDifftVals', -200658: 'PrptyGetImpliedActiveChanFailedDueToDifftVals', -200657: 'PrptyGetSpecdActiveChanFailedDueToDifftVals', -200656: 'NoRegenWhenUsingBrdMem', -200655: 'NonbufferedReadMoreThanSampsPerChan', -200654: 'WatchdogExpirationTristateNotSpecdForEntirePort', -200653: 'PowerupTristateNotSpecdForEntirePort', -200652: 'PowerupStateNotSpecdForEntirePort', -200651: 'CantSetWatchdogExpirationOnDigInChan', -200650: 'CantSetPowerupStateOnDigInChan', -200649: 'PhysChanNotInTask', -200648: 'PhysChanDevNotInTask', -200647: 'DigInputNotSupported', -200646: 'DigFilterIntervalNotEqualForLines', -200645: 'DigFilterIntervalAlreadyCfgd', -200644: 'CantResetExpiredWatchdog', -200643: 'ActiveChanTooManyLinesSpecdWhenGettingPrpty', -200642: 'ActiveChanNotSpecdWhenGetting1LinePrpty', -200641: 'DigPrptyCannotBeSetPerLine', -200640: 'SendAdvCmpltAfterWaitForTrigInScanlist', -200639: 'DisconnectionRequiredInScanlist', -200638: 'TwoWaitForTrigsAfterConnectionInScanlist', -200637: 'ActionSeparatorRequiredAfterBreakingConnectionInScanlist', -200636: 'ConnectionInScanlistMustWaitForTrig', -200635: 'ActionNotSupportedTaskNotWatchdog', -200634: 'WfmNameSameAsScriptName', -200633: 'ScriptNameSameAsWfmName', -200632: 'DSFStopClock', -200631: 'DSFReadyForStartClock', -200630: 'WriteOffsetNotMultOfIncr', -200629: 'DifferentPrptyValsNotSupportedOnDev', -200628: 'RefAndPauseTrigConfigured', -200627: 'FailedToEnableHighSpeedInputClock', -200626: 'EmptyPhysChanInPowerUpStatesArray', -200625: 'ActivePhysChanTooManyLinesSpecdWhenGettingPrpty', -200624: 'ActivePhysChanNotSpecdWhenGetting1LinePrpty', -200623: 'PXIDevTempCausedShutDown', -200622: 'InvalidNumSampsToWrite', -200621: 'OutputFIFOUnderflow2', -200620: 'RepeatedAIPhysicalChan', -200619: 'MultScanOpsInOneChassis', -200618: 'InvalidAIChanOrder', -200617: 'ReversePowerProtectionActivated', -200616: 'InvalidAsynOpHandle', -200615: 'FailedToEnableHighSpeedOutput', -200614: 'CannotReadPastEndOfRecord', -200613: 'AcqStoppedToPreventInputBufferOverwriteOneDataXferMech', -200612: 'ZeroBasedChanIndexInvalid', -200611: 'NoChansOfGivenTypeInTask', -200610: 'SampClkSrcInvalidForOutputValidForInput', -200609: 'OutputBufSizeTooSmallToStartGen', -200608: 'InputBufSizeTooSmallToStartAcq', -200607: 'ExportTwoSignalsOnSameTerminal', -200606: 'ChanIndexInvalid', -200605: 'RangeSyntaxNumberTooBig', -200604: 'NULLPtr', -200603: 'ScaledMinEqualMax', -200602: 'PreScaledMinEqualMax', -200601: 'PropertyNotSupportedForScaleType', -200600: 'ChannelNameGenerationNumberTooBig', -200599: 'RepeatedNumberInScaledValues', -200598: 'RepeatedNumberInPreScaledValues', -200597: 'LinesAlreadyReservedForOutput', -200596: 'SwitchOperationChansSpanMultipleDevsInList', -200595: 'InvalidIDInListAtBeginningOfSwitchOperation', -200594: 'MStudioInvalidPolyDirection', -200593: 'MStudioPropertyGetWhileTaskNotVerified', -200592: 'RangeWithTooManyObjects', -200591: 'CppDotNetAPINegativeBufferSize', -200590: 'CppCantRemoveInvalidEventHandler', -200589: 'CppCantRemoveEventHandlerTwice', -200588: 'CppCantRemoveOtherObjectsEventHandler', -200587: 'DigLinesReservedOrUnavailable', -200586: 'DSFFailedToResetStream', -200585: 'DSFReadyForOutputNotAsserted', -200584: 'SampToWritePerChanNotMultipleOfIncr', -200583: 'AOPropertiesCauseVoltageBelowMin', -200582: 'AOPropertiesCauseVoltageOverMax', -200581: 'PropertyNotSupportedWhenRefClkSrcNone', -200580: 'AIMaxTooSmall', -200579: 'AIMaxTooLarge', -200578: 'AIMinTooSmall', -200577: 'AIMinTooLarge', -200576: 'BuiltInCJCSrcNotSupported', -200575: 'TooManyPostTrigSampsPerChan', -200574: 'TrigLineNotFoundSingleDevRoute', -200573: 'DifferentInternalAIInputSources', -200572: 'DifferentAIInputSrcInOneChanGroup', -200571: 'InternalAIInputSrcInMultipleChanGroups', -200570: 'CAPIChanIndexInvalid', -200569: 'CollectionDoesNotMatchChanType', -200568: 'OutputCantStartChangedRegenerationMode', -200567: 'OutputCantStartChangedBufferSize', -200566: 'ChanSizeTooBigForU32PortWrite', -200565: 'ChanSizeTooBigForU8PortWrite', -200564: 'ChanSizeTooBigForU32PortRead', -200563: 'ChanSizeTooBigForU8PortRead', -200562: 'InvalidDigDataWrite', -200561: 'InvalidAODataWrite', -200560: 'WaitUntilDoneDoesNotIndicateDone', -200559: 'MultiChanTypesInTask', -200558: 'MultiDevsInTask', -200557: 'CannotSetPropertyWhenTaskRunning', -200556: 'CannotGetPropertyWhenTaskNotCommittedOrRunning', -200555: 'LeadingUnderscoreInString', -200554: 'TrailingSpaceInString', -200553: 'LeadingSpaceInString', -200552: 'InvalidCharInString', -200551: 'DLLBecameUnlocked', -200550: 'DLLLock', -200549: 'SelfCalConstsInvalid', -200548: 'InvalidTrigCouplingExceptForExtTrigChan', -200547: 'WriteFailsBufferSizeAutoConfigured', -200546: 'ExtCalAdjustExtRefVoltageFailed', -200545: 'SelfCalFailedExtNoiseOrRefVoltageOutOfCal', -200544: 'ExtCalTemperatureNotDAQmx', -200543: 'ExtCalDateTimeNotDAQmx', -200542: 'SelfCalTemperatureNotDAQmx', -200541: 'SelfCalDateTimeNotDAQmx', -200540: 'DACRefValNotSet', -200539: 'AnalogMultiSampWriteNotSupported', -200538: 'InvalidActionInControlTask', -200537: 'PolyCoeffsInconsistent', -200536: 'SensorValTooLow', -200535: 'SensorValTooHigh', -200534: 'WaveformNameTooLong', -200533: 'IdentifierTooLongInScript', -200532: 'UnexpectedIDFollowingSwitchChanName', -200531: 'RelayNameNotSpecifiedInList', -200530: 'UnexpectedIDFollowingRelayNameInList', -200529: 'UnexpectedIDFollowingSwitchOpInList', -200528: 'InvalidLineGrouping', -200527: 'CtrMinMax', -200526: 'WriteChanTypeMismatch', -200525: 'ReadChanTypeMismatch', -200524: 'WriteNumChansMismatch', -200523: 'OneChanReadForMultiChanTask', -200522: 'CannotSelfCalDuringExtCal', -200521: 'MeasCalAdjustOscillatorPhaseDAC', -200520: 'InvalidCalConstCalADCAdjustment', -200519: 'InvalidCalConstOscillatorFreqDACValue', -200518: 'InvalidCalConstOscillatorPhaseDACValue', -200517: 'InvalidCalConstOffsetDACValue', -200516: 'InvalidCalConstGainDACValue', -200515: 'InvalidNumCalADCReadsToAverage', -200514: 'InvalidCfgCalAdjustDirectPathOutputImpedance', -200513: 'InvalidCfgCalAdjustMainPathOutputImpedance', -200512: 'InvalidCfgCalAdjustMainPathPostAmpGainAndOffset', -200511: 'InvalidCfgCalAdjustMainPathPreAmpGain', -200510: 'InvalidCfgCalAdjustMainPreAmpOffset', -200509: 'MeasCalAdjustCalADC', -200508: 'MeasCalAdjustOscillatorFrequency', -200507: 'MeasCalAdjustDirectPathOutputImpedance', -200506: 'MeasCalAdjustMainPathOutputImpedance', -200505: 'MeasCalAdjustDirectPathGain', -200504: 'MeasCalAdjustMainPathPostAmpGainAndOffset', -200503: 'MeasCalAdjustMainPathPreAmpGain', -200502: 'MeasCalAdjustMainPathPreAmpOffset', -200501: 'InvalidDateTimeInEEPROM', -200500: 'UnableToLocateErrorResources', -200499: 'DotNetAPINotUnsigned32BitNumber', -200498: 'InvalidRangeOfObjectsSyntaxInString', -200497: 'AttemptToEnableLineNotPreviouslyDisabled', -200496: 'InvalidCharInPattern', -200495: 'IntermediateBufferFull', -200494: 'LoadTaskFailsBecauseNoTimingOnDev', -200493: 'CAPIReservedParamNotNULLNorEmpty', -200492: 'CAPIReservedParamNotNULL', -200491: 'CAPIReservedParamNotZero', -200490: 'SampleValueOutOfRange', -200489: 'ChanAlreadyInTask', -200488: 'VirtualChanDoesNotExist', -200486: 'ChanNotInTask', -200485: 'TaskNotInDataNeighborhood', -200484: 'CantSaveTaskWithoutReplace', -200483: 'CantSaveChanWithoutReplace', -200482: 'DevNotInTask', -200481: 'DevAlreadyInTask', -200479: 'CanNotPerformOpWhileTaskRunning', -200478: 'CanNotPerformOpWhenNoChansInTask', -200477: 'CanNotPerformOpWhenNoDevInTask', -200475: 'CannotPerformOpWhenTaskNotRunning', -200474: 'OperationTimedOut', -200473: 'CannotReadWhenAutoStartFalseAndTaskNotRunningOrCommitted', -200472: 'CannotWriteWhenAutoStartFalseAndTaskNotRunningOrCommitted', -200470: 'TaskVersionNew', -200469: 'ChanVersionNew', -200467: 'EmptyString', -200466: 'ChannelSizeTooBigForPortReadType', -200465: 'ChannelSizeTooBigForPortWriteType', -200464: 'ExpectedNumberOfChannelsVerificationFailed', -200463: 'NumLinesMismatchInReadOrWrite', -200462: 'OutputBufferEmpty', -200461: 'InvalidChanName', -200460: 'ReadNoInputChansInTask', -200459: 'WriteNoOutputChansInTask', -200457: 'PropertyNotSupportedNotInputTask', -200456: 'PropertyNotSupportedNotOutputTask', -200455: 'GetPropertyNotInputBufferedTask', -200454: 'GetPropertyNotOutputBufferedTask', -200453: 'InvalidTimeoutVal', -200452: 'AttributeNotSupportedInTaskContext', -200451: 'AttributeNotQueryableUnlessTaskIsCommitted', -200450: 'AttributeNotSettableWhenTaskIsRunning', -200449: 'DACRngLowNotMinusRefValNorZero', -200448: 'DACRngHighNotEqualRefVal', -200447: 'UnitsNotFromCustomScale', -200446: 'InvalidVoltageReadingDuringExtCal', -200445: 'CalFunctionNotSupported', -200444: 'InvalidPhysicalChanForCal', -200443: 'ExtCalNotComplete', -200442: 'CantSyncToExtStimulusFreqDuringCal', -200441: 'UnableToDetectExtStimulusFreqDuringCal', -200440: 'InvalidCloseAction', -200439: 'ExtCalFunctionOutsideExtCalSession', -200438: 'InvalidCalArea', -200437: 'ExtCalConstsInvalid', -200436: 'StartTrigDelayWithExtSampClk', -200435: 'DelayFromSampClkWithExtConv', -200434: 'FewerThan2PreScaledVals', -200433: 'FewerThan2ScaledValues', -200432: 'PhysChanOutputType', -200431: 'PhysChanMeasType', -200430: 'InvalidPhysChanType', -200429: 'LabVIEWEmptyTaskOrChans', -200428: 'LabVIEWInvalidTaskOrChans', -200427: 'InvalidRefClkRate', -200426: 'InvalidExtTrigImpedance', -200425: 'HystTrigLevelAIMax', -200424: 'LineNumIncompatibleWithVideoSignalFormat', -200423: 'TrigWindowAIMinAIMaxCombo', -200422: 'TrigAIMinAIMax', -200421: 'HystTrigLevelAIMin', -200420: 'InvalidSampRateConsiderRIS', -200419: 'InvalidReadPosDuringRIS', -200418: 'ImmedTrigDuringRISMode', -200417: 'TDCNotEnabledDuringRISMode', -200416: 'MultiRecWithRIS', -200415: 'InvalidRefClkSrc', -200414: 'InvalidSampClkSrc', -200413: 'InsufficientOnBoardMemForNumRecsAndSamps', -200412: 'InvalidAIAttenuation', -200411: 'ACCouplingNotAllowedWith50OhmImpedance', -200410: 'InvalidRecordNum', -200409: 'ZeroSlopeLinearScale', -200408: 'ZeroReversePolyScaleCoeffs', -200407: 'ZeroForwardPolyScaleCoeffs', -200406: 'NoReversePolyScaleCoeffs', -200405: 'NoForwardPolyScaleCoeffs', -200404: 'NoPolyScaleCoeffs', -200403: 'ReversePolyOrderLessThanNumPtsToCompute', -200402: 'ReversePolyOrderNotPositive', -200401: 'NumPtsToComputeNotPositive', -200400: 'WaveformLengthNotMultipleOfIncr', -200399: 'CAPINoExtendedErrorInfoAvailable', -200398: 'CVIFunctionNotFoundInDAQmxDLL', -200397: 'CVIFailedToLoadDAQmxDLL', -200396: 'NoCommonTrigLineForImmedRoute', -200395: 'NoCommonTrigLineForTaskRoute', -200394: 'F64PrptyValNotUnsignedInt', -200393: 'RegisterNotWritable', -200392: 'InvalidOutputVoltageAtSampClkRate', -200391: 'StrobePhaseShiftDCMBecameUnlocked', -200390: 'DrivePhaseShiftDCMBecameUnlocked', -200389: 'ClkOutPhaseShiftDCMBecameUnlocked', -200388: 'OutputBoardClkDCMBecameUnlocked', -200387: 'InputBoardClkDCMBecameUnlocked', -200386: 'InternalClkDCMBecameUnlocked', -200385: 'DCMLock', -200384: 'DataLineReservedForDynamicOutput', -200383: 'InvalidRefClkSrcGivenSampClkSrc', -200382: 'NoPatternMatcherAvailable', -200381: 'InvalidDelaySampRateBelowPhaseShiftDCMThresh', -200380: 'StrainGageCalibration', -200379: 'InvalidExtClockFreqAndDivCombo', -200378: 'CustomScaleDoesNotExist', -200377: 'OnlyFrontEndChanOpsDuringScan', -200376: 'InvalidOptionForDigitalPortChannel', -200375: 'UnsupportedSignalTypeExportSignal', -200374: 'InvalidSignalTypeExportSignal', -200373: 'UnsupportedTrigTypeSendsSWTrig', -200372: 'InvalidTrigTypeSendsSWTrig', -200371: 'RepeatedPhysicalChan', -200370: 'ResourcesInUseForRouteInTask', -200369: 'ResourcesInUseForRoute', -200368: 'RouteNotSupportedByHW', -200367: 'ResourcesInUseForExportSignalPolarity', -200366: 'ResourcesInUseForInversionInTask', -200365: 'ResourcesInUseForInversion', -200364: 'ExportSignalPolarityNotSupportedByHW', -200363: 'InversionNotSupportedByHW', -200362: 'OverloadedChansExistNotRead', -200361: 'InputFIFOOverflow2', -200360: 'CJCChanNotSpecd', -200359: 'CtrExportSignalNotPossible', -200358: 'RefTrigWhenContinuous', -200357: 'IncompatibleSensorOutputAndDeviceInputRanges', -200356: 'CustomScaleNameUsed', -200355: 'PropertyValNotSupportedByHW', -200354: 'PropertyValNotValidTermName', -200353: 'ResourcesInUseForProperty', -200352: 'CJCChanAlreadyUsed', -200351: 'ForwardPolynomialCoefNotSpecd', -200350: 'TableScaleNumPreScaledAndScaledValsNotEqual', -200349: 'TableScalePreScaledValsNotSpecd', -200348: 'TableScaleScaledValsNotSpecd', -200347: 'IntermediateBufferSizeNotMultipleOfIncr', -200346: 'EventPulseWidthOutOfRange', -200345: 'EventDelayOutOfRange', -200344: 'SampPerChanNotMultipleOfIncr', -200343: 'CannotCalculateNumSampsTaskNotStarted', -200342: 'ScriptNotInMem', -200341: 'OnboardMemTooSmall', -200340: 'ReadAllAvailableDataWithoutBuffer', -200339: 'PulseActiveAtStart', -200338: 'CalTempNotSupported', -200337: 'DelayFromSampClkTooLong', -200336: 'DelayFromSampClkTooShort', -200335: 'AIConvRateTooHigh', -200334: 'DelayFromStartTrigTooLong', -200333: 'DelayFromStartTrigTooShort', -200332: 'SampRateTooHigh', -200331: 'SampRateTooLow', -200330: 'PFI0UsedForAnalogAndDigitalSrc', -200329: 'PrimingCfgFIFO', -200328: 'CannotOpenTopologyCfgFile', -200327: 'InvalidDTInsideWfmDataType', -200326: 'RouteSrcAndDestSame', -200325: 'ReversePolynomialCoefNotSpecd', -200324: 'DevAbsentOrUnavailable', -200323: 'NoAdvTrigForMultiDevScan', -200322: 'InterruptsInsufficientDataXferMech', -200321: 'InvalidAttentuationBasedOnMinMax', -200320: 'CabledModuleCannotRouteSSH', -200319: 'CabledModuleCannotRouteConvClk', -200318: 'InvalidExcitValForScaling', -200317: 'NoDevMemForScript', -200316: 'ScriptDataUnderflow', -200315: 'NoDevMemForWaveform', -200314: 'StreamDCMBecameUnlocked', -200313: 'StreamDCMLock', -200312: 'WaveformNotInMem', -200311: 'WaveformWriteOutOfBounds', -200310: 'WaveformPreviouslyAllocated', -200309: 'SampClkTbMasterTbDivNotAppropriateForSampTbSrc', -200308: 'SampTbRateSampTbSrcMismatch', -200307: 'MasterTbRateMasterTbSrcMismatch', -200306: 'SampsPerChanTooBig', -200305: 'FinitePulseTrainNotPossible', -200304: 'ExtMasterTimebaseRateNotSpecified', -200303: 'ExtSampClkSrcNotSpecified', -200302: 'InputSignalSlowerThanMeasTime', -200301: 'CannotUpdatePulseGenProperty', -200300: 'InvalidTimingType', -200297: 'PropertyUnavailWhenUsingOnboardMemory', -200295: 'CannotWriteAfterStartWithOnboardMemory', -200294: 'NotEnoughSampsWrittenForInitialXferRqstCondition', -200293: 'NoMoreSpace', -200292: 'SamplesCanNotYetBeWritten', -200291: 'GenStoppedToPreventIntermediateBufferRegenOfOldSamples', -200290: 'GenStoppedToPreventRegenOfOldSamples', -200289: 'SamplesNoLongerWriteable', -200288: 'SamplesWillNeverBeGenerated', -200287: 'NegativeWriteSampleNumber', -200286: 'NoAcqStarted', -200284: 'SamplesNotYetAvailable', -200283: 'AcqStoppedToPreventIntermediateBufferOverflow', -200282: 'NoRefTrigConfigured', -200281: 'CannotReadRelativeToRefTrigUntilDone', -200279: 'SamplesNoLongerAvailable', -200278: 'SamplesWillNeverBeAvailable', -200277: 'NegativeReadSampleNumber', -200276: 'ExternalSampClkAndRefClkThruSameTerm', -200275: 'ExtSampClkRateTooLowForClkIn', -200274: 'ExtSampClkRateTooHighForBackplane', -200273: 'SampClkRateAndDivCombo', -200272: 'SampClkRateTooLowForDivDown', -200271: 'ProductOfAOMinAndGainTooSmall', -200270: 'InterpolationRateNotPossible', -200269: 'OffsetTooLarge', -200268: 'OffsetTooSmall', -200267: 'ProductOfAOMaxAndGainTooLarge', -200266: 'MinAndMaxNotSymmetric', -200265: 'InvalidAnalogTrigSrc', -200264: 'TooManyChansForAnalogRefTrig', -200263: 'TooManyChansForAnalogPauseTrig', -200262: 'TrigWhenOnDemandSampTiming', -200261: 'InconsistentAnalogTrigSettings', -200260: 'MemMapDataXferModeSampTimingCombo', -200259: 'InvalidJumperedAttr', -200258: 'InvalidGainBasedOnMinMax', -200257: 'InconsistentExcit', -200256: 'TopologyNotSupportedByCfgTermBlock', -200255: 'BuiltInTempSensorNotSupported', -200254: 'InvalidTerm', -200253: 'CannotTristateTerm', -200252: 'CannotTristateBusyTerm', -200251: 'NoDMAChansAvailable', -200250: 'InvalidWaveformLengthWithinLoopInScript', -200249: 'InvalidSubsetLengthWithinLoopInScript', -200248: 'MarkerPosInvalidForLoopInScript', -200247: 'IntegerExpectedInScript', -200246: 'PLLBecameUnlocked', -200245: 'PLLLock', -200244: 'DDCClkOutDCMBecameUnlocked', -200243: 'DDCClkOutDCMLock', -200242: 'ClkDoublerDCMBecameUnlocked', -200241: 'ClkDoublerDCMLock', -200240: 'SampClkDCMBecameUnlocked', -200239: 'SampClkDCMLock', -200238: 'SampClkTimebaseDCMBecameUnlocked', -200237: 'SampClkTimebaseDCMLock', -200236: 'AttrCannotBeReset', -200235: 'ExplanationNotFound', -200234: 'WriteBufferTooSmall', -200233: 'SpecifiedAttrNotValid', -200232: 'AttrCannotBeRead', -200231: 'AttrCannotBeSet', -200230: 'NULLPtrForC_Api', -200229: 'ReadBufferTooSmall', -200228: 'BufferTooSmallForString', -200227: 'NoAvailTrigLinesOnDevice', -200226: 'TrigBusLineNotAvail', -200225: 'CouldNotReserveRequestedTrigLine', -200224: 'TrigLineNotFound', -200223: 'SCXI1126ThreshHystCombination', -200222: 'AcqStoppedToPreventInputBufferOverwrite', -200221: 'TimeoutExceeded', -200220: 'InvalidDeviceID', -200219: 'InvalidAOChanOrder', -200218: 'SampleTimingTypeAndDataXferMode', -200217: 'BufferWithOnDemandSampTiming', -200216: 'BufferAndDataXferMode', -200215: 'MemMapAndBuffer', -200214: 'NoAnalogTrigHW', -200213: 'TooManyPretrigPlusMinPostTrigSamps', -200212: 'InconsistentUnitsSpecified', -200211: 'MultipleRelaysForSingleRelayOp', -200210: 'MultipleDevIDsPerChassisSpecifiedInList', -200209: 'DuplicateDevIDInList', -200208: 'InvalidRangeStatementCharInList', -200207: 'InvalidDeviceIDInList', -200206: 'TriggerPolarityConflict', -200205: 'CannotScanWithCurrentTopology', -200204: 'UnexpectedIdentifierInFullySpecifiedPathInList', -200203: 'SwitchCannotDriveMultipleTrigLines', -200202: 'InvalidRelayName', -200201: 'SwitchScanlistTooBig', -200200: 'SwitchChanInUse', -200199: 'SwitchNotResetBeforeScan', -200198: 'InvalidTopology', -200197: 'AttrNotSupported', -200196: 'UnexpectedEndOfActionsInList', -200195: 'PowerBudgetExceeded', -200194: 'HWUnexpectedlyPoweredOffAndOn', -200193: 'SwitchOperationNotSupported', -200192: 'OnlyContinuousScanSupported', -200191: 'SwitchDifferentTopologyWhenScanning', -200190: 'DisconnectPathNotSameAsExistingPath', -200189: 'ConnectionNotPermittedOnChanReservedForRouting', -200188: 'CannotConnectSrcChans', -200187: 'CannotConnectChannelToItself', -200186: 'ChannelNotReservedForRouting', -200185: 'CannotConnectChansDirectly', -200184: 'ChansAlreadyConnected', -200183: 'ChanDuplicatedInPath', -200182: 'NoPathToDisconnect', -200181: 'InvalidSwitchChan', -200180: 'NoPathAvailableBetween2SwitchChans', -200179: 'ExplicitConnectionExists', -200178: 'SwitchDifferentSettlingTimeWhenScanning', -200177: 'OperationOnlyPermittedWhileScanning', -200176: 'OperationNotPermittedWhileScanning', -200175: 'HardwareNotResponding', -200173: 'InvalidSampAndMasterTimebaseRateCombo', -200172: 'NonZeroBufferSizeInProgIOXfer', -200171: 'VirtualChanNameUsed', -200170: 'PhysicalChanDoesNotExist', -200169: 'MemMapOnlyForProgIOXfer', -200168: 'TooManyChans', -200167: 'CannotHaveCJTempWithOtherChans', -200166: 'OutputBufferUnderwrite', -200163: 'SensorInvalidCompletionResistance', -200162: 'VoltageExcitIncompatibleWith2WireCfg', -200161: 'IntExcitSrcNotAvailable', -200160: 'CannotCreateChannelAfterTaskVerified', -200159: 'LinesReservedForSCXIControl', -200158: 'CouldNotReserveLinesForSCXIControl', -200157: 'CalibrationFailed', -200156: 'ReferenceFrequencyInvalid', -200155: 'ReferenceResistanceInvalid', -200154: 'ReferenceCurrentInvalid', -200153: 'ReferenceVoltageInvalid', -200152: 'EEPROMDataInvalid', -200151: 'CabledModuleNotCapableOfRoutingAI', -200150: 'ChannelNotAvailableInParallelMode', -200149: 'ExternalTimebaseRateNotKnownForDelay', -200148: 'FREQOUTCannotProduceDesiredFrequency', -200147: 'MultipleCounterInputTask', -200146: 'CounterStartPauseTriggerConflict', -200145: 'CounterInputPauseTriggerAndSampleClockInvalid', -200144: 'CounterOutputPauseTriggerInvalid', -200143: 'CounterTimebaseRateNotSpecified', -200142: 'CounterTimebaseRateNotFound', -200141: 'CounterOverflow', -200140: 'CounterNoTimebaseEdgesBetweenGates', -200139: 'CounterMaxMinRangeFreq', -200138: 'CounterMaxMinRangeTime', -200137: 'SuitableTimebaseNotFoundTimeCombo', -200136: 'SuitableTimebaseNotFoundFrequencyCombo', -200135: 'InternalTimebaseSourceDivisorCombo', -200134: 'InternalTimebaseSourceRateCombo', -200133: 'InternalTimebaseRateDivisorSourceCombo', -200132: 'ExternalTimebaseRateNotknownForRate', -200131: 'AnalogTrigChanNotFirstInScanList', -200130: 'NoDivisorForExternalSignal', -200128: 'AttributeInconsistentAcrossRepeatedPhysicalChannels', -200127: 'CannotHandshakeWithPort0', -200126: 'ControlLineConflictOnPortC', -200125: 'Lines4To7ConfiguredForOutput', -200124: 'Lines4To7ConfiguredForInput', -200123: 'Lines0To3ConfiguredForOutput', -200122: 'Lines0To3ConfiguredForInput', -200121: 'PortConfiguredForOutput', -200120: 'PortConfiguredForInput', -200119: 'PortConfiguredForStaticDigitalOps', -200118: 'PortReservedForHandshaking', -200117: 'PortDoesNotSupportHandshakingDataIO', -200116: 'CannotTristate8255OutputLines', -200113: 'TemperatureOutOfRangeForCalibration', -200112: 'CalibrationHandleInvalid', -200111: 'PasswordRequired', -200110: 'IncorrectPassword', -200109: 'PasswordTooLong', -200108: 'CalibrationSessionAlreadyOpen', -200107: 'SCXIModuleIncorrect', -200106: 'AttributeInconsistentAcrossChannelsOnDevice', -200105: 'SCXI1122ResistanceChanNotSupportedForCfg', -200104: 'BracketPairingMismatchInList', -200103: 'InconsistentNumSamplesToWrite', -200102: 'IncorrectDigitalPattern', -200101: 'IncorrectNumChannelsToWrite', -200100: 'IncorrectReadFunction', -200099: 'PhysicalChannelNotSpecified', -200098: 'MoreThanOneTerminal', -200097: 'MoreThanOneActiveChannelSpecified', -200096: 'InvalidNumberSamplesToRead', -200095: 'AnalogWaveformExpected', -200094: 'DigitalWaveformExpected', -200093: 'ActiveChannelNotSpecified', -200092: 'FunctionNotSupportedForDeviceTasks', -200091: 'FunctionNotInLibrary', -200090: 'LibraryNotPresent', -200089: 'DuplicateTask', -200088: 'InvalidTask', -200087: 'InvalidChannel', -200086: 'InvalidSyntaxForPhysicalChannelRange', -200082: 'MinNotLessThanMax', -200081: 'SampleRateNumChansConvertPeriodCombo', -200079: 'AODuringCounter1DMAConflict', -200078: 'AIDuringCounter0DMAConflict', -200077: 'InvalidAttributeValue', -200076: 'SuppliedCurrentDataOutsideSpecifiedRange', -200075: 'SuppliedVoltageDataOutsideSpecifiedRange', -200074: 'CannotStoreCalConst', -200073: 'SCXIModuleNotFound', -200072: 'DuplicatePhysicalChansNotSupported', -200071: 'TooManyPhysicalChansInList', -200070: 'InvalidAdvanceEventTriggerType', -200069: 'DeviceIsNotAValidSwitch', -200068: 'DeviceDoesNotSupportScanning', -200067: 'ScanListCannotBeTimed', -200066: 'ConnectOperatorInvalidAtPointInList', -200065: 'UnexpectedSwitchActionInList', -200064: 'UnexpectedSeparatorInList', -200063: 'ExpectedTerminatorInList', -200062: 'ExpectedConnectOperatorInList', -200061: 'ExpectedSeparatorInList', -200060: 'FullySpecifiedPathInListContainsRange', -200059: 'ConnectionSeparatorAtEndOfList', -200058: 'IdentifierInListTooLong', -200057: 'DuplicateDeviceIDInListWhenSettling', -200056: 'ChannelNameNotSpecifiedInList', -200055: 'DeviceIDNotSpecifiedInList', -200054: 'SemicolonDoesNotFollowRangeInList', -200053: 'SwitchActionInListSpansMultipleDevices', -200052: 'RangeWithoutAConnectActionInList', -200051: 'InvalidIdentifierFollowingSeparatorInList', -200050: 'InvalidChannelNameInList', -200049: 'InvalidNumberInRepeatStatementInList', -200048: 'InvalidTriggerLineInList', -200047: 'InvalidIdentifierInListFollowingDeviceID', -200046: 'InvalidIdentifierInListAtEndOfSwitchAction', -200045: 'DeviceRemoved', -200044: 'RoutingPathNotAvailable', -200043: 'RoutingHardwareBusy', -200042: 'RequestedSignalInversionForRoutingNotPossible', -200041: 'InvalidRoutingDestinationTerminalName', -200040: 'InvalidRoutingSourceTerminalName', -200039: 'RoutingNotSupportedForDevice', -200038: 'WaitIsLastInstructionOfLoopInScript', -200037: 'ClearIsLastInstructionOfLoopInScript', -200036: 'InvalidLoopIterationsInScript', -200035: 'RepeatLoopNestingTooDeepInScript', -200034: 'MarkerPositionOutsideSubsetInScript', -200033: 'SubsetStartOffsetNotAlignedInScript', -200032: 'InvalidSubsetLengthInScript', -200031: 'MarkerPositionNotAlignedInScript', -200030: 'SubsetOutsideWaveformInScript', -200029: 'MarkerOutsideWaveformInScript', -200028: 'WaveformInScriptNotInMem', -200027: 'KeywordExpectedInScript', -200026: 'BufferNameExpectedInScript', -200025: 'ProcedureNameExpectedInScript', -200024: 'ScriptHasInvalidIdentifier', -200023: 'ScriptHasInvalidCharacter', -200022: 'ResourceAlreadyReserved', -200020: 'SelfTestFailed', -200019: 'ADCOverrun', -200018: 'DACUnderflow', -200017: 'InputFIFOUnderflow', -200016: 'OutputFIFOUnderflow', -200015: 'SCXISerialCommunication', -200014: 'DigitalTerminalSpecifiedMoreThanOnce', -200012: 'DigitalOutputNotSupported', -200011: 'InconsistentChannelDirections', -200010: 'InputFIFOOverflow', -200009: 'TimeStampOverwritten', -200008: 'StopTriggerHasNotOccurred', -200007: 'RecordNotAvailable', -200006: 'RecordOverwritten', -200005: 'DataNotAvailable', -200004: 'DataOverwrittenInDeviceMemory', -200003: 'DuplicatedChannel', 209800: 'ngReadNotCompleteBeforeSampClk', 209801: 'ngWriteNotCompleteBeforeSampClk', 209802: 'ngWaitForNextSampClkDetectedMissedSampClk', 50100: 'ngPALResourceOwnedBySystem', 50102: 'ngPALResourceNotReserved', 50103: 'ngPALResourceReserved', 50104: 'ngPALResourceNotInitialized', 50105: 'ngPALResourceInitialized', 50106: 'ngPALResourceBusy', 50107: 'ngPALResourceAmbiguous', -50807: 'PALIsocStreamBufferError', -50806: 'PALInvalidAddressComponent', -50805: 'PALSharingViolation', -50804: 'PALInvalidDeviceState', -50803: 'PALConnectionReset', -50802: 'PALConnectionAborted', -50801: 'PALConnectionRefused', -50800: 'PALBusResetOccurred', -50700: 'PALWaitInterrupted', -50651: 'PALMessageUnderflow', -50650: 'PALMessageOverflow', -50604: 'PALThreadAlreadyDead', -50603: 'PALThreadStackSizeNotSupported', -50602: 'PALThreadControllerIsNotThreadCreator', -50601: 'PALThreadHasNoThreadObject', -50600: 'PALThreadCouldNotRun', -50551: 'PALSyncAbandoned', -50550: 'PALSyncTimedOut', -50503: 'PALReceiverSocketInvalid', -50502: 'PALSocketListenerInvalid', -50501: 'PALSocketListenerAlreadyRegistered', -50500: 'PALDispatcherAlreadyExported', -50450: 'PALDMALinkEventMissed', -50413: 'PALBusError', -50412: 'PALRetryLimitExceeded', -50411: 'PALTransferOverread', -50410: 'PALTransferOverwritten', -50409: 'PALPhysicalBufferFull', -50408: 'PALPhysicalBufferEmpty', -50407: 'PALLogicalBufferFull', -50406: 'PALLogicalBufferEmpty', -50405: 'PALTransferAborted', -50404: 'PALTransferStopped', -50403: 'PALTransferInProgress', -50402: 'PALTransferNotInProgress', -50401: 'PALCommunicationsFault', -50400: 'PALTransferTimedOut', -50355: 'PALMemoryHeapNotEmpty', -50354: 'PALMemoryBlockCheckFailed', -50353: 'PALMemoryPageLockFailed', -50352: 'PALMemoryFull', -50351: 'PALMemoryAlignmentFault', -50350: 'PALMemoryConfigurationFault', -50303: 'PALDeviceInitializationFault', -50302: 'PALDeviceNotSupported', -50301: 'PALDeviceUnknown', -50300: 'PALDeviceNotFound', -50265: 'PALFeatureDisabled', -50264: 'PALComponentBusy', -50263: 'PALComponentAlreadyInstalled', -50262: 'PALComponentNotUnloadable', -50261: 'PALComponentNeverLoaded', -50260: 'PALComponentAlreadyLoaded', -50259: 'PALComponentCircularDependency', -50258: 'PALComponentInitializationFault', -50257: 'PALComponentImageCorrupt', -50256: 'PALFeatureNotSupported', -50255: 'PALFunctionNotFound', -50254: 'PALFunctionObsolete', -50253: 'PALComponentTooNew', -50252: 'PALComponentTooOld', -50251: 'PALComponentNotFound', -50250: 'PALVersionMismatch', -50209: 'PALFileFault', -50208: 'PALFileWriteFault', -50207: 'PALFileReadFault', -50206: 'PALFileSeekFault', -50205: 'PALFileCloseFault', -50204: 'PALFileOpenFault', -50203: 'PALDiskFull', -50202: 'PALOSFault', -50201: 'PALOSInitializationFault', -50200: 'PALOSUnsupported', -50175: 'PALCalculationOverflow', -50152: 'PALHardwareFault', -50151: 'PALFirmwareFault', -50150: 'PALSoftwareFault', -50108: 'PALMessageQueueFull', -50107: 'PALResourceAmbiguous', -50106: 'PALResourceBusy', -50105: 'PALResourceInitialized', -50104: 'PALResourceNotInitialized', -50103: 'PALResourceReserved', -50102: 'PALResourceNotReserved', -50101: 'PALResourceNotAvailable', -50100: 'PALResourceOwnedBySystem', -50020: 'PALBadToken', -50019: 'PALBadThreadMultitask', -50018: 'PALBadLibrarySpecifier', -50017: 'PALBadAddressSpace', -50016: 'PALBadWindowType', -50015: 'PALBadAddressClass', -50014: 'PALBadWriteCount', -50013: 'PALBadWriteOffset', -50012: 'PALBadWriteMode', -50011: 'PALBadReadCount', -50010: 'PALBadReadOffset', -50009: 'PALBadReadMode', -50008: 'PALBadCount', -50007: 'PALBadOffset', -50006: 'PALBadMode', -50005: 'PALBadDataSize', -50004: 'PALBadPointer', -50003: 'PALBadSelector', -50002: 'PALBadDevice', -50001: 'PALIrrelevantAttribute', -50000: 'PALValueConflict'}
|
da_qmx__buf__input__buf_size = 6252
da_qmx__buf__input__onbrd_buf_size = 8970
da_qmx__buf__output__buf_size = 6253
da_qmx__buf__output__onbrd_buf_size = 8971
da_qmx__self_cal__supported = 6240
da_qmx__self_cal__last_temp = 6244
da_qmx__ext_cal__recommended_interval = 6248
da_qmx__ext_cal__last_temp = 6247
da_qmx__cal__user_defined_info = 6241
da_qmx__cal__user_defined_info__max_size = 6428
da_qmx__cal__dev_temp = 8763
da_qmx_ai__max = 6109
da_qmx_ai__min = 6110
da_qmx_ai__custom_scale_name = 6112
da_qmx_ai__meas_type = 1685
da_qmx_ai__voltage__units = 4244
da_qmx_ai__voltage_d_b_ref = 10672
da_qmx_ai__voltage_acrms__units = 6114
da_qmx_ai__temp__units = 4147
da_qmx_ai__thrmcpl__type = 4176
da_qmx_ai__thrmcpl__scale_type = 10704
da_qmx_ai__thrmcpl_cjc_src = 4149
da_qmx_ai__thrmcpl_cjc_val = 4150
da_qmx_ai__thrmcpl_cjc_chan = 4148
da_qmx_ai_rtd__type = 4146
da_qmx_ai_rtd_r0 = 4144
da_qmx_ai_rtd_a = 4112
da_qmx_ai_rtd_b = 4113
da_qmx_ai_rtd_c = 4115
da_qmx_ai__thrmstr_a = 6345
da_qmx_ai__thrmstr_b = 6347
da_qmx_ai__thrmstr_c = 6346
da_qmx_ai__thrmstr_r1 = 4193
da_qmx_ai__force_read_from_chan = 6392
da_qmx_ai__current__units = 1793
da_qmx_ai__current_acrms__units = 6115
da_qmx_ai__strain__units = 2433
da_qmx_ai__strain_gage__gage_factor = 2452
da_qmx_ai__strain_gage__poisson_ratio = 2456
da_qmx_ai__strain_gage__cfg = 2434
da_qmx_ai__resistance__units = 2389
da_qmx_ai__freq__units = 2054
da_qmx_ai__freq__thresh_voltage = 2069
da_qmx_ai__freq__hyst = 2068
da_qmx_ai_lvdt__units = 2320
da_qmx_ai_lvdt__sensitivity = 2361
da_qmx_ai_lvdt__sensitivity_units = 8602
da_qmx_ai_rvdt__units = 2167
da_qmx_ai_rvdt__sensitivity = 2307
da_qmx_ai_rvdt__sensitivity_units = 8603
da_qmx_ai__eddy_current_prox_probe__units = 10944
da_qmx_ai__eddy_current_prox_probe__sensitivity = 10942
da_qmx_ai__eddy_current_prox_probe__sensitivity_units = 10943
da_qmx_ai__sound_pressure__max_sound_pressure_lvl = 8762
da_qmx_ai__sound_pressure__units = 5416
da_qmx_ai__sound_pressure_d_b_ref = 10673
da_qmx_ai__microphone__sensitivity = 5430
da_qmx_ai__accel__units = 1651
da_qmx_ai__accel_d_b_ref = 10674
da_qmx_ai__accel__sensitivity = 1682
da_qmx_ai__accel__sensitivity_units = 8604
da_qmx_ai__is_teds = 10627
da_qmx_ai_teds__units = 8672
da_qmx_ai__coupling = 100
da_qmx_ai__impedance = 98
da_qmx_ai__term_cfg = 4247
da_qmx_ai__input_src = 8600
da_qmx_ai__resistance_cfg = 6273
da_qmx_ai__lead_wire_resistance = 6126
da_qmx_ai__bridge__cfg = 135
da_qmx_ai__bridge__nom_resistance = 6124
da_qmx_ai__bridge__initial_voltage = 6125
da_qmx_ai__bridge__shunt_cal__enable = 148
da_qmx_ai__bridge__shunt_cal__select = 8661
da_qmx_ai__bridge__shunt_cal__gain_adjust = 6463
da_qmx_ai__bridge__balance__coarse_pot = 6129
da_qmx_ai__bridge__balance__fine_pot = 6388
da_qmx_ai__current_shunt__loc = 6130
da_qmx_ai__current_shunt__resistance = 6131
da_qmx_ai__excit__src = 6132
da_qmx_ai__excit__val = 6133
da_qmx_ai__excit__use_for_scaling = 6140
da_qmx_ai__excit__use_multiplexed = 8576
da_qmx_ai__excit__actual_val = 6275
da_qmx_ai__excit_d_cor_ac = 6139
da_qmx_ai__excit__voltage_or_current = 6134
da_qmx_ai_ac_excit__freq = 257
da_qmx_ai_ac_excit__sync_enable = 258
da_qmx_ai_ac_excit__wire_mode = 6349
da_qmx_ai__atten = 6145
da_qmx_ai__probe_atten = 10888
da_qmx_ai__lowpass__enable = 6146
da_qmx_ai__lowpass__cutoff_freq = 6147
da_qmx_ai__lowpass__switch_cap__clk_src = 6276
da_qmx_ai__lowpass__switch_cap__ext_clk_freq = 6277
da_qmx_ai__lowpass__switch_cap__ext_clk_div = 6278
da_qmx_ai__lowpass__switch_cap__out_clk_div = 6279
da_qmx_ai__resolution_units = 5988
da_qmx_ai__resolution = 5989
da_qmx_ai__raw_samp_size = 8922
da_qmx_ai__raw_samp_justification = 80
da_qmx_ai_adc_timing_mode = 10745
da_qmx_ai__dither__enable = 104
da_qmx_ai__chan_cal__has_valid_cal_info = 8855
da_qmx_ai__chan_cal__enable_cal = 8856
da_qmx_ai__chan_cal__apply_cal_if_exp = 8857
da_qmx_ai__chan_cal__scale_type = 8860
da_qmx_ai__chan_cal__table__pre_scaled_vals = 8861
da_qmx_ai__chan_cal__table__scaled_vals = 8862
da_qmx_ai__chan_cal__poly__forward_coeff = 8863
da_qmx_ai__chan_cal__poly__reverse_coeff = 8864
da_qmx_ai__chan_cal__operator_name = 8867
da_qmx_ai__chan_cal__desc = 8868
da_qmx_ai__chan_cal__verif__ref_vals = 8865
da_qmx_ai__chan_cal__verif__acq_vals = 8866
da_qmx_ai__rng__high = 6165
da_qmx_ai__rng__low = 6166
da_qmx_ai_dc_offset = 10889
da_qmx_ai__gain = 6168
da_qmx_ai__samp_and_hold__enable = 6170
da_qmx_ai__auto_zero_mode = 5984
da_qmx_ai__data_xfer_mech = 6177
da_qmx_ai__data_xfer_req_cond = 6283
da_qmx_ai__data_xfer_custom_threshold = 8972
da_qmx_ai__usb_xfer_req_size = 10894
da_qmx_ai__mem_map_enable = 6284
da_qmx_ai__raw_data_compression_type = 8920
da_qmx_ai__lossy_lsb_removal__compressed_samp_size = 8921
da_qmx_ai__dev_scaling_coeff = 6448
da_qmx_ai__enhanced_alias_rejection_enable = 8852
da_qmx_ao__max = 4486
da_qmx_ao__min = 4487
da_qmx_ao__custom_scale_name = 4488
da_qmx_ao__output_type = 4360
da_qmx_ao__voltage__units = 4484
da_qmx_ao__voltage__current_limit = 10781
da_qmx_ao__current__units = 4361
da_qmx_ao__func_gen__type = 10776
da_qmx_ao__func_gen__freq = 10777
da_qmx_ao__func_gen__amplitude = 10778
da_qmx_ao__func_gen__offset = 10779
da_qmx_ao__func_gen__square__duty_cycle = 10780
da_qmx_ao__func_gen__modulation_type = 10786
da_qmx_ao__func_gen_fm_deviation = 10787
da_qmx_ao__output_impedance = 5264
da_qmx_ao__load_impedance = 289
da_qmx_ao__idle_output_behavior = 8768
da_qmx_ao__term_cfg = 6286
da_qmx_ao__resolution_units = 6187
da_qmx_ao__resolution = 6188
da_qmx_ao_dac__rng__high = 6190
da_qmx_ao_dac__rng__low = 6189
da_qmx_ao_dac__ref__conn_to_gnd = 304
da_qmx_ao_dac__ref__allow_conn_to_gnd = 6192
da_qmx_ao_dac__ref__src = 306
da_qmx_ao_dac__ref__ext_src = 8786
da_qmx_ao_dac__ref__val = 6194
da_qmx_ao_dac__offset__src = 8787
da_qmx_ao_dac__offset__ext_src = 8788
da_qmx_ao_dac__offset__val = 8789
da_qmx_ao__reglitch_enable = 307
da_qmx_ao__gain = 280
da_qmx_ao__use_only_on_brd_mem = 6202
da_qmx_ao__data_xfer_mech = 308
da_qmx_ao__data_xfer_req_cond = 6204
da_qmx_ao__usb_xfer_req_size = 10895
da_qmx_ao__mem_map_enable = 6287
da_qmx_ao__dev_scaling_coeff = 6449
da_qmx_ao__enhanced_image_rejection_enable = 8769
da_qmx_di__invert_lines = 1939
da_qmx_di__num_lines = 8568
da_qmx_di__dig_fltr__enable = 8662
da_qmx_di__dig_fltr__min_pulse_width = 8663
da_qmx_di__dig_fltr__enable_bus_mode = 12030
da_qmx_di__dig_fltr__timebase_src = 11988
da_qmx_di__dig_fltr__timebase_rate = 11989
da_qmx_di__dig_sync__enable = 11990
da_qmx_di__tristate = 6288
da_qmx_di__logic_family = 10605
da_qmx_di__data_xfer_mech = 8803
da_qmx_di__data_xfer_req_cond = 8804
da_qmx_di__usb_xfer_req_size = 10896
da_qmx_di__mem_map_enable = 10602
da_qmx_di__acquire_on = 10598
da_qmx_do__output_drive_type = 4407
da_qmx_do__invert_lines = 4403
da_qmx_do__num_lines = 8569
da_qmx_do__tristate = 6387
da_qmx_do__line_states__start_state = 10610
da_qmx_do__line_states__paused_state = 10599
da_qmx_do__line_states__done_state = 10600
da_qmx_do__logic_family = 10606
da_qmx_do__overcurrent__limit = 10885
da_qmx_do__overcurrent__auto_reenable = 10886
da_qmx_do__overcurrent__reenable_period = 10887
da_qmx_do__use_only_on_brd_mem = 8805
da_qmx_do__data_xfer_mech = 8806
da_qmx_do__data_xfer_req_cond = 8807
da_qmx_do__usb_xfer_req_size = 10897
da_qmx_do__mem_map_enable = 10603
da_qmx_do__generate_on = 10601
da_qmx_ci__max = 6300
da_qmx_ci__min = 6301
da_qmx_ci__custom_scale_name = 6302
da_qmx_ci__meas_type = 6304
da_qmx_ci__freq__units = 6305
da_qmx_ci__freq__term = 6306
da_qmx_ci__freq__starting_edge = 1945
da_qmx_ci__freq__meas_meth = 324
da_qmx_ci__freq__enable_averaging = 11984
da_qmx_ci__freq__meas_time = 325
da_qmx_ci__freq__div = 327
da_qmx_ci__freq__dig_fltr__enable = 8679
da_qmx_ci__freq__dig_fltr__min_pulse_width = 8680
da_qmx_ci__freq__dig_fltr__timebase_src = 8681
da_qmx_ci__freq__dig_fltr__timebase_rate = 8682
da_qmx_ci__freq__dig_sync__enable = 8683
da_qmx_ci__period__units = 6307
da_qmx_ci__period__term = 6308
da_qmx_ci__period__starting_edge = 2130
da_qmx_ci__period__meas_meth = 6444
da_qmx_ci__period__enable_averaging = 11985
da_qmx_ci__period__meas_time = 6445
da_qmx_ci__period__div = 6446
da_qmx_ci__period__dig_fltr__enable = 8684
da_qmx_ci__period__dig_fltr__min_pulse_width = 8685
da_qmx_ci__period__dig_fltr__timebase_src = 8686
da_qmx_ci__period__dig_fltr__timebase_rate = 8687
da_qmx_ci__period__dig_sync__enable = 8688
da_qmx_ci__count_edges__term = 6343
da_qmx_ci__count_edges__dir = 1686
da_qmx_ci__count_edges__dir_term = 8673
da_qmx_ci__count_edges__count_dir__dig_fltr__enable = 8689
da_qmx_ci__count_edges__count_dir__dig_fltr__min_pulse_width = 8690
da_qmx_ci__count_edges__count_dir__dig_fltr__timebase_src = 8691
da_qmx_ci__count_edges__count_dir__dig_fltr__timebase_rate = 8692
da_qmx_ci__count_edges__count_dir__dig_sync__enable = 8693
da_qmx_ci__count_edges__initial_cnt = 1688
da_qmx_ci__count_edges__active_edge = 1687
da_qmx_ci__count_edges__dig_fltr__enable = 8694
da_qmx_ci__count_edges__dig_fltr__min_pulse_width = 8695
da_qmx_ci__count_edges__dig_fltr__timebase_src = 8696
da_qmx_ci__count_edges__dig_fltr__timebase_rate = 8697
da_qmx_ci__count_edges__dig_sync__enable = 8698
da_qmx_ci__ang_encoder__units = 6310
da_qmx_ci__ang_encoder__pulses_per_rev = 2165
da_qmx_ci__ang_encoder__initial_angle = 2177
da_qmx_ci__lin_encoder__units = 6313
da_qmx_ci__lin_encoder__dist_per_pulse = 2321
da_qmx_ci__lin_encoder__initial_pos = 2325
da_qmx_ci__encoder__decoding_type = 8678
da_qmx_ci__encoder_a_input_term = 8605
da_qmx_ci__encoder_a_input__dig_fltr__enable = 8699
da_qmx_ci__encoder_a_input__dig_fltr__min_pulse_width = 8700
da_qmx_ci__encoder_a_input__dig_fltr__timebase_src = 8701
da_qmx_ci__encoder_a_input__dig_fltr__timebase_rate = 8702
da_qmx_ci__encoder_a_input__dig_sync__enable = 8703
da_qmx_ci__encoder_b_input_term = 8606
da_qmx_ci__encoder_b_input__dig_fltr__enable = 8704
da_qmx_ci__encoder_b_input__dig_fltr__min_pulse_width = 8705
da_qmx_ci__encoder_b_input__dig_fltr__timebase_src = 8706
da_qmx_ci__encoder_b_input__dig_fltr__timebase_rate = 8707
da_qmx_ci__encoder_b_input__dig_sync__enable = 8708
da_qmx_ci__encoder_z_input_term = 8607
da_qmx_ci__encoder_z_input__dig_fltr__enable = 8709
da_qmx_ci__encoder_z_input__dig_fltr__min_pulse_width = 8710
da_qmx_ci__encoder_z_input__dig_fltr__timebase_src = 8711
da_qmx_ci__encoder_z_input__dig_fltr__timebase_rate = 8712
da_qmx_ci__encoder_z_input__dig_sync__enable = 8713
da_qmx_ci__encoder_z_index_enable = 2192
da_qmx_ci__encoder_z_index_val = 2184
da_qmx_ci__encoder_z_index_phase = 2185
da_qmx_ci__pulse_width__units = 2083
da_qmx_ci__pulse_width__term = 6314
da_qmx_ci__pulse_width__starting_edge = 2085
da_qmx_ci__pulse_width__dig_fltr__enable = 8714
da_qmx_ci__pulse_width__dig_fltr__min_pulse_width = 8715
da_qmx_ci__pulse_width__dig_fltr__timebase_src = 8716
da_qmx_ci__pulse_width__dig_fltr__timebase_rate = 8717
da_qmx_ci__pulse_width__dig_sync__enable = 8718
da_qmx_ci__two_edge_sep__units = 6316
da_qmx_ci__two_edge_sep__first_term = 6317
da_qmx_ci__two_edge_sep__first_edge = 2099
da_qmx_ci__two_edge_sep__first__dig_fltr__enable = 8719
da_qmx_ci__two_edge_sep__first__dig_fltr__min_pulse_width = 8720
da_qmx_ci__two_edge_sep__first__dig_fltr__timebase_src = 8721
da_qmx_ci__two_edge_sep__first__dig_fltr__timebase_rate = 8722
da_qmx_ci__two_edge_sep__first__dig_sync__enable = 8723
da_qmx_ci__two_edge_sep__second_term = 6318
da_qmx_ci__two_edge_sep__second_edge = 2100
da_qmx_ci__two_edge_sep__second__dig_fltr__enable = 8724
da_qmx_ci__two_edge_sep__second__dig_fltr__min_pulse_width = 8725
da_qmx_ci__two_edge_sep__second__dig_fltr__timebase_src = 8726
da_qmx_ci__two_edge_sep__second__dig_fltr__timebase_rate = 8727
da_qmx_ci__two_edge_sep__second__dig_sync__enable = 8728
da_qmx_ci__semi_period__units = 6319
da_qmx_ci__semi_period__term = 6320
da_qmx_ci__semi_period__starting_edge = 8958
da_qmx_ci__semi_period__dig_fltr__enable = 8729
da_qmx_ci__semi_period__dig_fltr__min_pulse_width = 8730
da_qmx_ci__semi_period__dig_fltr__timebase_src = 8731
da_qmx_ci__semi_period__dig_fltr__timebase_rate = 8732
da_qmx_ci__semi_period__dig_sync__enable = 8733
da_qmx_ci__pulse__freq__units = 12043
da_qmx_ci__pulse__freq__term = 12036
da_qmx_ci__pulse__freq__start__edge = 12037
da_qmx_ci__pulse__freq__dig_fltr__enable = 12038
da_qmx_ci__pulse__freq__dig_fltr__min_pulse_width = 12039
da_qmx_ci__pulse__freq__dig_fltr__timebase_src = 12040
da_qmx_ci__pulse__freq__dig_fltr__timebase_rate = 12041
da_qmx_ci__pulse__freq__dig_sync__enable = 12042
da_qmx_ci__pulse__time__units = 12051
da_qmx_ci__pulse__time__term = 12044
da_qmx_ci__pulse__time__start_edge = 12045
da_qmx_ci__pulse__time__dig_fltr__enable = 12046
da_qmx_ci__pulse__time__dig_fltr__min_pulse_width = 12047
da_qmx_ci__pulse__time__dig_fltr__timebase_src = 12048
da_qmx_ci__pulse__time__dig_fltr__timebase_rate = 12049
da_qmx_ci__pulse__time__dig_sync__enable = 12050
da_qmx_ci__pulse__ticks__term = 12052
da_qmx_ci__pulse__ticks__start_edge = 12053
da_qmx_ci__pulse__ticks__dig_fltr__enable = 12054
da_qmx_ci__pulse__ticks__dig_fltr__min_pulse_width = 12055
da_qmx_ci__pulse__ticks__dig_fltr__timebase_src = 12056
da_qmx_ci__pulse__ticks__dig_fltr__timebase_rate = 12057
da_qmx_ci__pulse__ticks__dig_sync__enable = 12058
da_qmx_ci__timestamp__units = 8883
da_qmx_ci__timestamp__initial_seconds = 8884
da_qmx_ci_gps__sync_method = 4242
da_qmx_ci_gps__sync_src = 4243
da_qmx_ci__ctr_timebase_src = 323
da_qmx_ci__ctr_timebase_rate = 6322
da_qmx_ci__ctr_timebase_active_edge = 322
da_qmx_ci__ctr_timebase__dig_fltr__enable = 8817
da_qmx_ci__ctr_timebase__dig_fltr__min_pulse_width = 8818
da_qmx_ci__ctr_timebase__dig_fltr__timebase_src = 8819
da_qmx_ci__ctr_timebase__dig_fltr__timebase_rate = 8820
da_qmx_ci__ctr_timebase__dig_sync__enable = 8821
da_qmx_ci__count = 328
da_qmx_ci__output_state = 329
da_qmx_ci_tc_reached = 336
da_qmx_ci__ctr_timebase_master_timebase_div = 6323
da_qmx_ci__data_xfer_mech = 512
da_qmx_ci__data_xfer_req_cond = 12027
da_qmx_ci__usb_xfer_req_size = 10898
da_qmx_ci__mem_map_enable = 11986
da_qmx_ci__num_possibly_invalid_samps = 6460
da_qmx_ci__dup_count_prevent = 8620
da_qmx_ci__prescaler = 8761
da_qmx_co__output_type = 6325
da_qmx_co__pulse__idle_state = 4464
da_qmx_co__pulse__term = 6369
da_qmx_co__pulse__time__units = 6358
da_qmx_co__pulse__high_time = 6330
da_qmx_co__pulse__low_time = 6331
da_qmx_co__pulse__time__initial_delay = 6332
da_qmx_co__pulse__duty_cyc = 4470
da_qmx_co__pulse__freq__units = 6357
da_qmx_co__pulse__freq = 4472
da_qmx_co__pulse__freq__initial_delay = 665
da_qmx_co__pulse__high_ticks = 4457
da_qmx_co__pulse__low_ticks = 4465
da_qmx_co__pulse__ticks__initial_delay = 664
da_qmx_co__ctr_timebase_src = 825
da_qmx_co__ctr_timebase_rate = 6338
da_qmx_co__ctr_timebase_active_edge = 833
da_qmx_co__ctr_timebase__dig_fltr__enable = 8822
da_qmx_co__ctr_timebase__dig_fltr__min_pulse_width = 8823
da_qmx_co__ctr_timebase__dig_fltr__timebase_src = 8824
da_qmx_co__ctr_timebase__dig_fltr__timebase_rate = 8825
da_qmx_co__ctr_timebase__dig_sync__enable = 8826
da_qmx_co__count = 659
da_qmx_co__output_state = 660
da_qmx_co__auto_incr_cnt = 661
da_qmx_co__ctr_timebase_master_timebase_div = 6339
da_qmx_co__pulse_done = 6414
da_qmx_co__enable_initial_delay_on_retrigger = 11977
da_qmx_co__constrained_gen_mode = 10738
da_qmx_co__use_only_on_brd_mem = 11979
da_qmx_co__data_xfer_mech = 11980
da_qmx_co__data_xfer_req_cond = 11981
da_qmx_co__usb_xfer_req_size = 10899
da_qmx_co__mem_map_enable = 11987
da_qmx_co__prescaler = 8813
da_qmx_co__rdy_for_new_val = 8959
da_qmx__chan_type = 6271
da_qmx__physical_chan_name = 6389
da_qmx__chan_descr = 6438
da_qmx__chan_is_global = 8964
da_qmx__exported_ai_conv_clk__output_term = 5767
da_qmx__exported_ai_conv_clk__pulse__polarity = 5768
da_qmx__exported_10_m_hz_ref_clk__output_term = 8814
da_qmx__exported_20_m_hz_timebase__output_term = 5719
da_qmx__exported__samp_clk__output_behavior = 6251
da_qmx__exported__samp_clk__output_term = 5731
da_qmx__exported__samp_clk__delay_offset = 8644
da_qmx__exported__samp_clk__pulse__polarity = 5732
da_qmx__exported__samp_clk_timebase__output_term = 6393
da_qmx__exported__divided_samp_clk_timebase__output_term = 8609
da_qmx__exported__adv_trig__output_term = 5701
da_qmx__exported__adv_trig__pulse__polarity = 5702
da_qmx__exported__adv_trig__pulse__width_units = 5703
da_qmx__exported__adv_trig__pulse__width = 5704
da_qmx__exported__pause_trig__output_term = 5653
da_qmx__exported__pause_trig__lvl__active_lvl = 5654
da_qmx__exported__ref_trig__output_term = 1424
da_qmx__exported__ref_trig__pulse__polarity = 1425
da_qmx__exported__start_trig__output_term = 1412
da_qmx__exported__start_trig__pulse__polarity = 1413
da_qmx__exported__adv_cmplt_event__output_term = 5713
da_qmx__exported__adv_cmplt_event__delay = 5975
da_qmx__exported__adv_cmplt_event__pulse__polarity = 5714
da_qmx__exported__adv_cmplt_event__pulse__width = 5716
da_qmx__exported_ai_hold_cmplt_event__output_term = 6381
da_qmx__exported_ai_hold_cmplt_event__pulse_polarity = 6382
da_qmx__exported__change_detect_event__output_term = 8599
da_qmx__exported__change_detect_event__pulse__polarity = 8963
da_qmx__exported__ctr_out_event__output_term = 5911
da_qmx__exported__ctr_out_event__output_behavior = 5967
da_qmx__exported__ctr_out_event__pulse__polarity = 5912
da_qmx__exported__ctr_out_event__toggle__idle_state = 6250
da_qmx__exported__hshk_event__output_term = 8890
da_qmx__exported__hshk_event__output_behavior = 8891
da_qmx__exported__hshk_event__delay = 8892
da_qmx__exported__hshk_event__interlocked__asserted_lvl = 8893
da_qmx__exported__hshk_event__interlocked__assert_on_start = 8894
da_qmx__exported__hshk_event__interlocked__deassert_delay = 8895
da_qmx__exported__hshk_event__pulse__polarity = 8896
da_qmx__exported__hshk_event__pulse__width = 8897
da_qmx__exported__rdy_for_xfer_event__output_term = 8885
da_qmx__exported__rdy_for_xfer_event__lvl__active_lvl = 8886
da_qmx__exported__rdy_for_xfer_event__deassert_cond = 10595
da_qmx__exported__rdy_for_xfer_event__deassert_cond_custom_threshold = 10596
da_qmx__exported__data_active_event__output_term = 5683
da_qmx__exported__data_active_event__lvl__active_lvl = 5684
da_qmx__exported__rdy_for_start_event__output_term = 5641
da_qmx__exported__rdy_for_start_event__lvl__active_lvl = 5969
da_qmx__exported__sync_pulse_event__output_term = 8764
da_qmx__exported__watchdog_expired_event__output_term = 8618
da_qmx__dev__is_simulated = 8906
da_qmx__dev__product_category = 10665
da_qmx__dev__product_type = 1585
da_qmx__dev__product_num = 8989
da_qmx__dev__serial_num = 1586
da_qmx__carrier__serial_num = 10890
da_qmx__dev__chassis__module_dev_names = 10678
da_qmx__dev__anlg_trig_supported = 10628
da_qmx__dev__dig_trig_supported = 10629
da_qmx__dev_ai__physical_chans = 8990
da_qmx__dev_ai__max_single_chan_rate = 10636
da_qmx__dev_ai__max_multi_chan_rate = 10637
da_qmx__dev_ai__min_rate = 10638
da_qmx__dev_ai__simultaneous_sampling_supported = 10639
da_qmx__dev_ai__trig_usage = 10630
da_qmx__dev_ai__voltage_rngs = 10640
da_qmx__dev_ai__voltage_int_excit_discrete_vals = 10697
da_qmx__dev_ai__voltage_int_excit_range_vals = 10698
da_qmx__dev_ai__current_rngs = 10641
da_qmx__dev_ai__current_int_excit_discrete_vals = 10699
da_qmx__dev_ai__freq_rngs = 10642
da_qmx__dev_ai__gains = 10643
da_qmx__dev_ai__couplings = 10644
da_qmx__dev_ai__lowpass_cutoff_freq_discrete_vals = 10645
da_qmx__dev_ai__lowpass_cutoff_freq_range_vals = 10703
da_qmx__dev_ao__physical_chans = 8991
da_qmx__dev_ao__samp_clk_supported = 10646
da_qmx__dev_ao__max_rate = 10647
da_qmx__dev_ao__min_rate = 10648
da_qmx__dev_ao__trig_usage = 10631
da_qmx__dev_ao__voltage_rngs = 10651
da_qmx__dev_ao__current_rngs = 10652
da_qmx__dev_ao__gains = 10653
da_qmx__dev_di__lines = 8992
da_qmx__dev_di__ports = 8993
da_qmx__dev_di__max_rate = 10649
da_qmx__dev_di__trig_usage = 10632
da_qmx__dev_do__lines = 8994
da_qmx__dev_do__ports = 8995
da_qmx__dev_do__max_rate = 10650
da_qmx__dev_do__trig_usage = 10633
da_qmx__dev_ci__physical_chans = 8996
da_qmx__dev_ci__trig_usage = 10634
da_qmx__dev_ci__samp_clk_supported = 10654
da_qmx__dev_ci__max_size = 10655
da_qmx__dev_ci__max_timebase = 10656
da_qmx__dev_co__physical_chans = 8997
da_qmx__dev_co__trig_usage = 10635
da_qmx__dev_co__max_size = 10657
da_qmx__dev_co__max_timebase = 10658
da_qmx__dev__num_dma_chans = 9020
da_qmx__dev__bus_type = 8998
da_qmx__dev_pci__bus_num = 8999
da_qmx__dev_pci__dev_num = 9000
da_qmx__dev_pxi__chassis_num = 9001
da_qmx__dev_pxi__slot_num = 9002
da_qmx__dev__compact_daq__chassis_dev_name = 10679
da_qmx__dev__compact_daq__slot_num = 10680
da_qmx__dev_tcpip__hostname = 10891
da_qmx__dev_tcpip__ethernet_ip = 10892
da_qmx__dev_tcpip__wireless_ip = 10893
da_qmx__dev__terminals = 10816
da_qmx__read__relative_to = 6410
da_qmx__read__offset = 6411
da_qmx__read__channels_to_read = 6179
da_qmx__read__read_all_avail_samp = 4629
da_qmx__read__auto_start = 6182
da_qmx__read__over_write = 4625
da_qmx__read__curr_read_pos = 4641
da_qmx__read__avail_samp_per_chan = 4643
da_qmx__logging__file_path = 11972
da_qmx__logging__mode = 11973
da_qmx__logging_tdms__group_name = 11974
da_qmx__logging_tdms__operation = 11975
da_qmx__read__total_samp_per_chan_acquired = 6442
da_qmx__read__common_mode_range_error_chans_exist = 10904
da_qmx__read__common_mode_range_error_chans = 10905
da_qmx__read__overcurrent_chans_exist = 10726
da_qmx__read__overcurrent_chans = 10727
da_qmx__read__open_current_loop_chans_exist = 10761
da_qmx__read__open_current_loop_chans = 10762
da_qmx__read__open_thrmcpl_chans_exist = 10902
da_qmx__read__open_thrmcpl_chans = 10903
da_qmx__read__overloaded_chans_exist = 8564
da_qmx__read__overloaded_chans = 8565
da_qmx__read__change_detect__has_overflowed = 8596
da_qmx__read__raw_data_width = 8570
da_qmx__read__num_chans = 8571
da_qmx__read__digital_lines__bytes_per_chan = 8572
da_qmx__read__wait_mode = 8754
da_qmx__read__sleep_time = 8880
da_qmx__real_time__conv_late_errors_to_warnings = 8942
da_qmx__real_time__num_of_warmup_iters = 8941
da_qmx__real_time__wait_for_next_samp_clk_wait_mode = 8943
da_qmx__real_time__report_missed_samp = 8985
da_qmx__real_time__write_recovery_mode = 8986
da_qmx__switch_chan__usage = 6372
da_qmx__switch_chan__max_ac_carry_current = 1608
da_qmx__switch_chan__max_ac_switch_current = 1606
da_qmx__switch_chan__max_ac_carry_pwr = 1602
da_qmx__switch_chan__max_ac_switch_pwr = 1604
da_qmx__switch_chan__max_dc_carry_current = 1607
da_qmx__switch_chan__max_dc_switch_current = 1605
da_qmx__switch_chan__max_dc_carry_pwr = 1603
da_qmx__switch_chan__max_dc_switch_pwr = 1609
da_qmx__switch_chan__max_ac_voltage = 1617
da_qmx__switch_chan__max_dc_voltage = 1616
da_qmx__switch_chan__wire_mode = 6373
da_qmx__switch_chan__bandwidth = 1600
da_qmx__switch_chan__impedance = 1601
da_qmx__switch_dev__settling_time = 4676
da_qmx__switch_dev__auto_conn_anlg_bus = 6106
da_qmx__switch_dev__pwr_down_latch_relays_after_settling = 8923
da_qmx__switch_dev__settled = 4675
da_qmx__switch_dev__relay_list = 6108
da_qmx__switch_dev__num_relays = 6374
da_qmx__switch_dev__switch_chan_list = 6375
da_qmx__switch_dev__num_switch_chans = 6376
da_qmx__switch_dev__num_rows = 6377
da_qmx__switch_dev__num_columns = 6378
da_qmx__switch_dev__topology = 6461
da_qmx__switch_scan__break_mode = 4679
da_qmx__switch_scan__repeat_mode = 4680
da_qmx__switch_scan__waiting_for_adv = 6105
da_qmx__scale__descr = 4646
da_qmx__scale__scaled_units = 6427
da_qmx__scale__pre_scaled_units = 6391
da_qmx__scale__type = 6441
da_qmx__scale__lin__slope = 4647
da_qmx__scale__lin_y_intercept = 4648
da_qmx__scale__map__scaled_max = 4649
da_qmx__scale__map__pre_scaled_max = 4657
da_qmx__scale__map__scaled_min = 4656
da_qmx__scale__map__pre_scaled_min = 4658
da_qmx__scale__poly__forward_coeff = 4660
da_qmx__scale__poly__reverse_coeff = 4661
da_qmx__scale__table__scaled_vals = 4662
da_qmx__scale__table__pre_scaled_vals = 4663
da_qmx__sys__global_chans = 4709
da_qmx__sys__scales = 4710
da_qmx__sys__tasks = 4711
da_qmx__sys__dev_names = 6459
da_qmx__sys_nidaq_major_version = 4722
da_qmx__sys_nidaq_minor_version = 6435
da_qmx__sys_nidaq_update_version = 12066
da_qmx__task__name = 4726
da_qmx__task__channels = 4723
da_qmx__task__num_chans = 8577
da_qmx__task__devices = 8974
da_qmx__task__num_devices = 10682
da_qmx__task__complete = 4724
da_qmx__samp_quant__samp_mode = 4864
da_qmx__samp_quant__samp_per_chan = 4880
da_qmx__samp_timing_type = 4935
da_qmx__samp_clk__rate = 4932
da_qmx__samp_clk__max_rate = 8904
da_qmx__samp_clk__src = 6226
da_qmx__samp_clk__active_edge = 4865
da_qmx__samp_clk__overrun_behavior = 12028
da_qmx__samp_clk__underflow_behavior = 10593
da_qmx__samp_clk__timebase_div = 6379
da_qmx__samp_clk__term = 12059
da_qmx__samp_clk__timebase__rate = 4867
da_qmx__samp_clk__timebase__src = 4872
da_qmx__samp_clk__timebase__active_edge = 6380
da_qmx__samp_clk__timebase__master_timebase_div = 4869
da_qmx__samp_clk_timebase__term = 12060
da_qmx__samp_clk__dig_fltr__enable = 8734
da_qmx__samp_clk__dig_fltr__min_pulse_width = 8735
da_qmx__samp_clk__dig_fltr__timebase_src = 8736
da_qmx__samp_clk__dig_fltr__timebase_rate = 8737
da_qmx__samp_clk__dig_sync__enable = 8738
da_qmx__hshk__delay_after_xfer = 8898
da_qmx__hshk__start_cond = 8899
da_qmx__hshk__sample_input_data_when = 8900
da_qmx__change_detect_di__rising_edge_physical_chans = 8597
da_qmx__change_detect_di__falling_edge_physical_chans = 8598
da_qmx__change_detect_di__tristate = 12026
da_qmx__on_demand__simultaneous_ao_enable = 8608
da_qmx__implicit__underflow_behavior = 12029
da_qmx_ai_conv__rate = 6216
da_qmx_ai_conv__max_rate = 8905
da_qmx_ai_conv__src = 5378
da_qmx_ai_conv__active_edge = 6227
da_qmx_ai_conv__timebase_div = 4917
da_qmx_ai_conv__timebase__src = 4921
da_qmx__delay_from_samp_clk__delay_units = 4868
da_qmx__delay_from_samp_clk__delay = 4887
da_qmx_ai_conv__dig_fltr__enable = 11996
da_qmx_ai_conv__dig_fltr__min_pulse_width = 11997
da_qmx_ai_conv__dig_fltr__timebase_src = 11998
da_qmx_ai_conv__dig_fltr__timebase_rate = 11999
da_qmx_ai_conv__dig_sync__enable = 12000
da_qmx__master_timebase__rate = 5269
da_qmx__master_timebase__src = 4931
da_qmx__ref_clk__rate = 4885
da_qmx__ref_clk__src = 4886
da_qmx__sync_pulse__src = 8765
da_qmx__sync_pulse__sync_time = 8766
da_qmx__sync_pulse__min_delay_to_start = 8767
da_qmx__samp_timing_engine = 10790
da_qmx__start_trig__type = 5011
da_qmx__start_trig__term = 12062
da_qmx__dig_edge__start_trig__src = 5127
da_qmx__dig_edge__start_trig__edge = 5124
da_qmx__dig_edge__start_trig__dig_fltr__enable = 8739
da_qmx__dig_edge__start_trig__dig_fltr__min_pulse_width = 8740
da_qmx__dig_edge__start_trig__dig_fltr__timebase_src = 8741
da_qmx__dig_edge__start_trig__dig_fltr__timebase_rate = 8742
da_qmx__dig_edge__start_trig__dig_sync__enable = 8743
da_qmx__dig_pattern__start_trig__src = 5136
da_qmx__dig_pattern__start_trig__pattern = 8582
da_qmx__dig_pattern__start_trig__when = 5137
da_qmx__anlg_edge__start_trig__src = 5016
da_qmx__anlg_edge__start_trig__slope = 5015
da_qmx__anlg_edge__start_trig__lvl = 5014
da_qmx__anlg_edge__start_trig__hyst = 5013
da_qmx__anlg_edge__start_trig__coupling = 8755
da_qmx__anlg_edge__start_trig__dig_fltr__enable = 12001
da_qmx__anlg_edge__start_trig__dig_fltr__min_pulse_width = 12002
da_qmx__anlg_edge__start_trig__dig_fltr__timebase_src = 12003
da_qmx__anlg_edge__start_trig__dig_fltr__timebase_rate = 12004
da_qmx__anlg_edge__start_trig__dig_sync__enable = 12005
da_qmx__anlg_win__start_trig__src = 5120
da_qmx__anlg_win__start_trig__when = 5121
da_qmx__anlg_win__start_trig__top = 5123
da_qmx__anlg_win__start_trig__btm = 5122
da_qmx__anlg_win__start_trig__coupling = 8756
da_qmx__anlg_win__start_trig__dig_fltr__enable = 12031
da_qmx__anlg_win__start_trig__dig_fltr__min_pulse_width = 12032
da_qmx__anlg_win__start_trig__dig_fltr__timebase_src = 12033
da_qmx__anlg_win__start_trig__dig_fltr__timebase_rate = 12034
da_qmx__anlg_win__start_trig__dig_sync__enable = 12035
da_qmx__start_trig__delay = 6230
da_qmx__start_trig__delay_units = 6344
da_qmx__start_trig__retriggerable = 6415
da_qmx__ref_trig__type = 5145
da_qmx__ref_trig__pretrig_samples = 5189
da_qmx__ref_trig__term = 12063
da_qmx__dig_edge__ref_trig__src = 5172
da_qmx__dig_edge__ref_trig__edge = 5168
da_qmx__dig_edge__ref_trig__dig_fltr__enable = 11991
da_qmx__dig_edge__ref_trig__dig_fltr__min_pulse_width = 11992
da_qmx__dig_edge__ref_trig__dig_fltr__timebase_src = 11993
da_qmx__dig_edge__ref_trig__dig_fltr__timebase_rate = 11994
da_qmx__dig_edge__ref_trig__dig_sync__enable = 11995
da_qmx__dig_pattern__ref_trig__src = 5175
da_qmx__dig_pattern__ref_trig__pattern = 8583
da_qmx__dig_pattern__ref_trig__when = 5176
da_qmx__anlg_edge__ref_trig__src = 5156
da_qmx__anlg_edge__ref_trig__slope = 5155
da_qmx__anlg_edge__ref_trig__lvl = 5154
da_qmx__anlg_edge__ref_trig__hyst = 5153
da_qmx__anlg_edge__ref_trig__coupling = 8757
da_qmx__anlg_edge__ref_trig__dig_fltr__enable = 12006
da_qmx__anlg_edge__ref_trig__dig_fltr__min_pulse_width = 12007
da_qmx__anlg_edge__ref_trig__dig_fltr__timebase_src = 12008
da_qmx__anlg_edge__ref_trig__dig_fltr__timebase_rate = 12009
da_qmx__anlg_edge__ref_trig__dig_sync__enable = 12010
da_qmx__anlg_win__ref_trig__src = 5158
da_qmx__anlg_win__ref_trig__when = 5159
da_qmx__anlg_win__ref_trig__top = 5161
da_qmx__anlg_win__ref_trig__btm = 5160
da_qmx__anlg_win__ref_trig__coupling = 6231
da_qmx__anlg_win__ref_trig__dig_fltr__enable = 12011
da_qmx__anlg_win__ref_trig__dig_fltr__min_pulse_width = 12012
da_qmx__anlg_win__ref_trig__dig_fltr__timebase_src = 12013
da_qmx__anlg_win__ref_trig__dig_fltr__timebase_rate = 12014
da_qmx__anlg_win__ref_trig__dig_sync__enable = 12015
da_qmx__ref_trig__auto_trig_enable = 11969
da_qmx__ref_trig__auto_triggered = 11970
da_qmx__adv_trig__type = 4965
da_qmx__dig_edge__adv_trig__src = 4962
da_qmx__dig_edge__adv_trig__edge = 4960
da_qmx__dig_edge__adv_trig__dig_fltr__enable = 8760
da_qmx__hshk_trig__type = 8887
da_qmx__interlocked__hshk_trig__src = 8888
da_qmx__interlocked__hshk_trig__asserted_lvl = 8889
da_qmx__pause_trig__type = 4966
da_qmx__pause_trig__term = 12064
da_qmx__anlg_lvl__pause_trig__src = 4976
da_qmx__anlg_lvl__pause_trig__when = 4977
da_qmx__anlg_lvl__pause_trig__lvl = 4969
da_qmx__anlg_lvl__pause_trig__hyst = 4968
da_qmx__anlg_lvl__pause_trig__coupling = 8758
da_qmx__anlg_lvl__pause_trig__dig_fltr__enable = 12016
da_qmx__anlg_lvl__pause_trig__dig_fltr__min_pulse_width = 12017
da_qmx__anlg_lvl__pause_trig__dig_fltr__timebase_src = 12018
da_qmx__anlg_lvl__pause_trig__dig_fltr__timebase_rate = 12019
da_qmx__anlg_lvl__pause_trig__dig_sync__enable = 12020
da_qmx__anlg_win__pause_trig__src = 4979
da_qmx__anlg_win__pause_trig__when = 4980
da_qmx__anlg_win__pause_trig__top = 4982
da_qmx__anlg_win__pause_trig__btm = 4981
da_qmx__anlg_win__pause_trig__coupling = 8759
da_qmx__anlg_win__pause_trig__dig_fltr__enable = 12021
da_qmx__anlg_win__pause_trig__dig_fltr__min_pulse_width = 12022
da_qmx__anlg_win__pause_trig__dig_fltr__timebase_src = 12023
da_qmx__anlg_win__pause_trig__dig_fltr__timebase_rate = 12024
da_qmx__anlg_win__pause_trig__dig_sync__enable = 12025
da_qmx__dig_lvl__pause_trig__src = 4985
da_qmx__dig_lvl__pause_trig__when = 4992
da_qmx__dig_lvl__pause_trig__dig_fltr__enable = 8744
da_qmx__dig_lvl__pause_trig__dig_fltr__min_pulse_width = 8745
da_qmx__dig_lvl__pause_trig__dig_fltr__timebase_src = 8746
da_qmx__dig_lvl__pause_trig__dig_fltr__timebase_rate = 8747
da_qmx__dig_lvl__pause_trig__dig_sync__enable = 8748
da_qmx__dig_pattern__pause_trig__src = 8559
da_qmx__dig_pattern__pause_trig__pattern = 8584
da_qmx__dig_pattern__pause_trig__when = 8560
da_qmx__arm_start_trig__type = 5140
da_qmx__dig_edge__arm_start_trig__src = 5143
da_qmx__dig_edge__arm_start_trig__edge = 5141
da_qmx__dig_edge__arm_start_trig__dig_fltr__enable = 8749
da_qmx__dig_edge__arm_start_trig__dig_fltr__min_pulse_width = 8750
da_qmx__dig_edge__arm_start_trig__dig_fltr__timebase_src = 8751
da_qmx__dig_edge__arm_start_trig__dig_fltr__timebase_rate = 8752
da_qmx__dig_edge__arm_start_trig__dig_sync__enable = 8753
da_qmx__watchdog__timeout = 8617
da_qmx__watchdog_expir_trig__type = 8611
da_qmx__dig_edge__watchdog_expir_trig__src = 8612
da_qmx__dig_edge__watchdog_expir_trig__edge = 8613
da_qmx__watchdog_do__expir_state = 8615
da_qmx__watchdog__has_expired = 8616
da_qmx__write__relative_to = 6412
da_qmx__write__offset = 6413
da_qmx__write__regen_mode = 5203
da_qmx__write__curr_write_pos = 5208
da_qmx__write__overcurrent_chans_exist = 10728
da_qmx__write__overcurrent_chans = 10729
da_qmx__write__overtemperature_chans_exist = 10884
da_qmx__write__open_current_loop_chans_exist = 10730
da_qmx__write__open_current_loop_chans = 10731
da_qmx__write__power_supply_fault_chans_exist = 10732
da_qmx__write__power_supply_fault_chans = 10733
da_qmx__write__space_avail = 5216
da_qmx__write__total_samp_per_chan_generated = 6443
da_qmx__write__raw_data_width = 8573
da_qmx__write__num_chans = 8574
da_qmx__write__wait_mode = 8881
da_qmx__write__sleep_time = 8882
da_qmx__write__next_write_is_last = 10604
da_qmx__write__digital_lines__bytes_per_chan = 8575
da_qmx__physical_chan_ai__term_cfgs = 9026
da_qmx__physical_chan_ao__term_cfgs = 10659
da_qmx__physical_chan_ao__manual_control_enable = 10782
da_qmx__physical_chan_ao__manual_control__short_detected = 11971
da_qmx__physical_chan_ao__manual_control_amplitude = 10783
da_qmx__physical_chan_ao__manual_control_freq = 10784
da_qmx__physical_chan_di__port_width = 10660
da_qmx__physical_chan_di__samp_clk_supported = 10661
da_qmx__physical_chan_di__change_detect_supported = 10662
da_qmx__physical_chan_do__port_width = 10663
da_qmx__physical_chan_do__samp_clk_supported = 10664
da_qmx__physical_chan_teds__mfg_id = 8666
da_qmx__physical_chan_teds__model_num = 8667
da_qmx__physical_chan_teds__serial_num = 8668
da_qmx__physical_chan_teds__version_num = 8669
da_qmx__physical_chan_teds__version_letter = 8670
da_qmx__physical_chan_teds__bit_stream = 8671
da_qmx__physical_chan_teds__template_i_ds = 8847
da_qmx__persisted_task__author = 8908
da_qmx__persisted_task__allow_interactive_editing = 8909
da_qmx__persisted_task__allow_interactive_deletion = 8910
da_qmx__persisted_chan__author = 8912
da_qmx__persisted_chan__allow_interactive_editing = 8913
da_qmx__persisted_chan__allow_interactive_deletion = 8914
da_qmx__persisted_scale__author = 8916
da_qmx__persisted_scale__allow_interactive_editing = 8917
da_qmx__persisted_scale__allow_interactive_deletion = 8918
da_qmx__read_wait_mode = DAQmx_Read_WaitMode
da_qmx__val__task__start = 0
da_qmx__val__task__stop = 1
da_qmx__val__task__verify = 2
da_qmx__val__task__commit = 3
da_qmx__val__task__reserve = 4
da_qmx__val__task__unreserve = 5
da_qmx__val__task__abort = 6
da_qmx__val__synchronous_event_callbacks = 1 << 0
da_qmx__val__acquired__into__buffer = 1
da_qmx__val__transferred__from__buffer = 2
da_qmx__val__reset_timer = 0
da_qmx__val__clear_expiration = 1
da_qmx__val__chan_per_line = 0
da_qmx__val__chan_for_all_lines = 1
da_qmx__val__group_by_channel = 0
da_qmx__val__group_by_scan_number = 1
da_qmx__val__do_not_invert_polarity = 0
da_qmx__val__invert_polarity = 1
da_qmx__val__action__commit = 0
da_qmx__val__action__cancel = 1
da_qmx__val__advance_trigger = 12488
da_qmx__val__rising = 10280
da_qmx__val__falling = 10171
da_qmx__val__path_status__available = 10431
da_qmx__val__path_status__already_exists = 10432
da_qmx__val__path_status__unsupported = 10433
da_qmx__val__path_status__channel_in_use = 10434
da_qmx__val__path_status__source_channel_conflict = 10435
da_qmx__val__path_status__channel_reserved_for_routing = 10436
da_qmx__val__deg_c = 10143
da_qmx__val__deg_f = 10144
da_qmx__val__kelvins = 10325
da_qmx__val__deg_r = 10145
da_qmx__val__high = 10192
da_qmx__val__low = 10214
da_qmx__val__tristate = 10310
da_qmx__val__channel_voltage = 0
da_qmx__val__channel_current = 1
da_qmx__val__open = 10437
da_qmx__val__closed = 10438
da_qmx__val__loopback0 = 0
da_qmx__val__loopback180 = 1
da_qmx__val__ground = 2
da_qmx__val__cfg__default = -1
da_qmx__val__default = -1
da_qmx__val__wait_infinitely = -1.0
da_qmx__val__auto = -1
da_qmx__val__save__overwrite = 1 << 0
da_qmx__val__save__allow_interactive_editing = 1 << 1
da_qmx__val__save__allow_interactive_deletion = 1 << 2
da_qmx__val__bit__trigger_usage_types__advance = 1 << 0
da_qmx__val__bit__trigger_usage_types__pause = 1 << 1
da_qmx__val__bit__trigger_usage_types__reference = 1 << 2
da_qmx__val__bit__trigger_usage_types__start = 1 << 3
da_qmx__val__bit__trigger_usage_types__handshake = 1 << 4
da_qmx__val__bit__trigger_usage_types__arm_start = 1 << 5
da_qmx__val__bit__coupling_types_ac = 1 << 0
da_qmx__val__bit__coupling_types_dc = 1 << 1
da_qmx__val__bit__coupling_types__ground = 1 << 2
da_qmx__val__bit__coupling_types_hf_reject = 1 << 3
da_qmx__val__bit__coupling_types_lf_reject = 1 << 4
da_qmx__val__bit__coupling_types__noise_reject = 1 << 5
da_qmx__val__bit__term_cfg_rse = 1 << 0
da_qmx__val__bit__term_cfg_nrse = 1 << 1
da_qmx__val__bit__term_cfg__diff = 1 << 2
da_qmx__val__bit__term_cfg__pseudo_diff = 1 << 3
da_qmx__val_4_wire = 4
da_qmx__val_5_wire = 5
da_qmx__val__high_resolution = 10195
da_qmx__val__high_speed = 14712
da_qmx__val__best50_hz_rejection = 14713
da_qmx__val__best60_hz_rejection = 14714
da_qmx__val__voltage = 10322
da_qmx__val__voltage_rms = 10350
da_qmx__val__current = 10134
da_qmx__val__current_rms = 10351
da_qmx__val__voltage__custom_with_excitation = 10323
da_qmx__val__freq__voltage = 10181
da_qmx__val__resistance = 10278
da_qmx__val__temp_tc = 10303
da_qmx__val__temp__thrmstr = 10302
da_qmx__val__temp_rtd = 10301
da_qmx__val__temp__built_in_sensor = 10311
da_qmx__val__strain__gage = 10300
da_qmx__val__position_lvdt = 10352
da_qmx__val__position_rvdt = 10353
da_qmx__val__position__eddy_current_proximity_probe = 14835
da_qmx__val__accelerometer = 10356
da_qmx__val__sound_pressure__microphone = 10354
da_qmx__val_teds__sensor = 12531
da_qmx__val__zero_volts = 12526
da_qmx__val__high_impedance = 12527
da_qmx__val__maintain_existing_value = 12528
da_qmx__val__voltage = 10322
da_qmx__val__current = 10134
da_qmx__val__func_gen = 14750
da_qmx__val_m_volts_per_g = 12509
da_qmx__val__volts_per_g = 12510
da_qmx__val__accel_unit_g = 10186
da_qmx__val__meters_per_second_squared = 12470
da_qmx__val__from_custom_scale = 10065
da_qmx__val__finite_samps = 10178
da_qmx__val__cont_samps = 10123
da_qmx__val_hw_timed_single_point = 12522
da_qmx__val__above_lvl = 10093
da_qmx__val__below_lvl = 10107
da_qmx__val__degrees = 10146
da_qmx__val__radians = 10273
da_qmx__val__from_custom_scale = 10065
da_qmx__val__degrees = 10146
da_qmx__val__radians = 10273
da_qmx__val__ticks = 10304
da_qmx__val__from_custom_scale = 10065
da_qmx__val__none = 10230
da_qmx__val__once = 10244
da_qmx__val__every_sample = 10164
da_qmx__val__no_action = 10227
da_qmx__val__break_before_make = 10110
da_qmx__val__full_bridge = 10182
da_qmx__val__half_bridge = 10187
da_qmx__val__quarter_bridge = 10270
da_qmx__val__no_bridge = 10228
da_qmx__val_pci = 12582
da_qmx__val_pc_ie = 13612
da_qmx__val_pxi = 12583
da_qmx__val_px_ie = 14706
da_qmx__val_scxi = 12584
da_qmx__val_scc = 14707
da_qmx__val_pc_card = 12585
da_qmx__val_usb = 12586
da_qmx__val__compact_daq = 14637
da_qmx__val_tcpip = 14828
da_qmx__val__unknown = 12588
da_qmx__val__count_edges = 10125
da_qmx__val__freq = 10179
da_qmx__val__period = 10256
da_qmx__val__pulse_width = 10359
da_qmx__val__semi_period = 10289
da_qmx__val__pulse_frequency = 15864
da_qmx__val__pulse_time = 15865
da_qmx__val__pulse_ticks = 15866
da_qmx__val__position__ang_encoder = 10360
da_qmx__val__position__lin_encoder = 10361
da_qmx__val__two_edge_sep = 10267
da_qmx__val_gps__timestamp = 10362
da_qmx__val__built_in = 10200
da_qmx__val__const_val = 10116
da_qmx__val__chan = 10113
da_qmx__val__pulse__time = 10269
da_qmx__val__pulse__freq = 10119
da_qmx__val__pulse__ticks = 10268
da_qmx__val_ai = 10100
da_qmx__val_ao = 10102
da_qmx__val_di = 10151
da_qmx__val_do = 10153
da_qmx__val_ci = 10131
da_qmx__val_co = 10132
da_qmx__val__unconstrained = 14708
da_qmx__val__fixed_high_freq = 14709
da_qmx__val__fixed_low_freq = 14710
da_qmx__val__fixed50_percent_duty_cycle = 14711
da_qmx__val__count_up = 10128
da_qmx__val__count_down = 10124
da_qmx__val__ext_controlled = 10326
da_qmx__val__low_freq1_ctr = 10105
da_qmx__val__high_freq2_ctr = 10157
da_qmx__val__large_rng2_ctr = 10205
da_qmx__val_ac = 10045
da_qmx__val_dc = 10050
da_qmx__val_gnd = 10066
da_qmx__val_ac = 10045
da_qmx__val_dc = 10050
da_qmx__val__internal = 10200
da_qmx__val__external = 10167
da_qmx__val__amps = 10342
da_qmx__val__from_custom_scale = 10065
da_qmx__val__from_teds = 12516
da_qmx__val__amps = 10342
da_qmx__val__from_custom_scale = 10065
da_qmx__val__right_justified = 10279
da_qmx__val__left_justified = 10209
da_qmx__val_dma = 10054
da_qmx__val__interrupts = 10204
da_qmx__val__programmed_io = 10264
da_qmx__val_us_bbulk = 12590
da_qmx__val__onbrd_mem_more_than_half_full = 10237
da_qmx__val__onbrd_mem_full = 10236
da_qmx__val__onbrd_mem_custom_threshold = 12577
da_qmx__val__active_drive = 12573
da_qmx__val__open_collector = 12574
da_qmx__val__high = 10192
da_qmx__val__low = 10214
da_qmx__val__tristate = 10310
da_qmx__val__no_change = 10160
da_qmx__val__pattern_matches = 10254
da_qmx__val__pattern_does_not_match = 10253
da_qmx__val__samp_clk_periods = 10286
da_qmx__val__seconds = 10364
da_qmx__val__ticks = 10304
da_qmx__val__seconds = 10364
da_qmx__val__ticks = 10304
da_qmx__val__seconds = 10364
da_qmx__val_m_volts_per_mil = 14836
da_qmx__val__volts_per_mil = 14837
da_qmx__val_m_volts_per_millimeter = 14838
da_qmx__val__volts_per_millimeter = 14839
da_qmx__val_m_volts_per_micron = 14840
da_qmx__val__rising = 10280
da_qmx__val__falling = 10171
da_qmx__val_x1 = 10090
da_qmx__val_x2 = 10091
da_qmx__val_x4 = 10092
da_qmx__val__two_pulse_counting = 10313
da_qmx__val_a_high_b_high = 10040
da_qmx__val_a_high_b_low = 10041
da_qmx__val_a_low_b_high = 10042
da_qmx__val_a_low_b_low = 10043
da_qmx__val_dc = 10050
da_qmx__val_ac = 10045
da_qmx__val__internal = 10200
da_qmx__val__external = 10167
da_qmx__val__none = 10230
da_qmx__val__voltage = 10322
da_qmx__val__current = 10134
da_qmx__val__pulse = 10265
da_qmx__val__toggle = 10307
da_qmx__val__pulse = 10265
da_qmx__val__lvl = 10210
da_qmx__val__interlocked = 12549
da_qmx__val__pulse = 10265
da_qmx__val__hz = 10373
da_qmx__val__from_custom_scale = 10065
da_qmx__val__hz = 10373
da_qmx__val__hz = 10373
da_qmx__val__ticks = 10304
da_qmx__val__from_custom_scale = 10065
da_qmx__val__sine = 14751
da_qmx__val__triangle = 14752
da_qmx__val__square = 14753
da_qmx__val__sawtooth = 14754
da_qmx__val_irigb = 10070
da_qmx__val_pps = 10080
da_qmx__val__none = 10230
da_qmx__val__immediate = 10198
da_qmx__val__wait_for_handshake_trigger_assert = 12550
da_qmx__val__wait_for_handshake_trigger_deassert = 12551
da_qmx__val__on_brd_mem_more_than_half_full = 10237
da_qmx__val__on_brd_mem_not_empty = 10241
da_qmx__val__onbrd_mem_custom_threshold = 12577
da_qmx__val__when_acq_complete = 12546
da_qmx__val_rse = 10083
da_qmx__val_nrse = 10078
da_qmx__val__diff = 10106
da_qmx__val__pseudo_diff = 12529
da_qmx__val_m_volts_per_volt_per_millimeter = 12506
da_qmx__val_m_volts_per_volt_per_milli_inch = 12505
da_qmx__val__meters = 10219
da_qmx__val__inches = 10379
da_qmx__val__from_custom_scale = 10065
da_qmx__val__meters = 10219
da_qmx__val__inches = 10379
da_qmx__val__ticks = 10304
da_qmx__val__from_custom_scale = 10065
da_qmx__val__high = 10192
da_qmx__val__low = 10214
da_qmx__val__off = 10231
da_qmx__val__log = 15844
da_qmx__val__log_and_read = 15842
da_qmx__val__open = 10437
da_qmx__val__open_or_create = 15846
da_qmx__val__create_or_replace = 15847
da_qmx__val__create = 15848
da_qmx__val_2point5_v = 14620
da_qmx__val_3point3_v = 14621
da_qmx__val_5_v = 14619
da_qmx__val__same_as_samp_timebase = 10284
da_qmx__val_100_m_hz_timebase = 15857
da_qmx__val__same_as_master_timebase = 10282
da_qmx__val_20_m_hz_timebase = 12537
da_qmx__val_80_m_hz_timebase = 14636
da_qmx__val_am = 14756
da_qmx__val_fm = 14757
da_qmx__val__none = 10230
da_qmx__val__on_brd_mem_empty = 10235
da_qmx__val__on_brd_mem_half_full_or_less = 10239
da_qmx__val__on_brd_mem_not_full = 10242
da_qmx__val_rse = 10083
da_qmx__val__diff = 10106
da_qmx__val__pseudo_diff = 12529
da_qmx__val__stop_task_and_error = 15862
da_qmx__val__ignore_overruns = 15863
da_qmx__val__overwrite_unread_samps = 10252
da_qmx__val__do_not_overwrite_unread_samps = 10159
da_qmx__val__active_high = 10095
da_qmx__val__active_low = 10096
da_qmx__val_m_series_daq = 14643
da_qmx__val_x_series_daq = 15858
da_qmx__val_e_series_daq = 14642
da_qmx__val_s_series_daq = 14644
da_qmx__val_b_series_daq = 14662
da_qmx__val_sc_series_daq = 14645
da_qmx__val_usbdaq = 14646
da_qmx__val_ao_series = 14647
da_qmx__val__digital_io = 14648
da_qmx__val_tio_series = 14661
da_qmx__val__dynamic_signal_acquisition = 14649
da_qmx__val__switches = 14650
da_qmx__val__compact_daq_chassis = 14658
da_qmx__val_c_series_module = 14659
da_qmx__val_scxi_module = 14660
da_qmx__val_scc_connector_block = 14704
da_qmx__val_scc_module = 14705
da_qmx__val_nielvis = 14755
da_qmx__val__network_daq = 14829
da_qmx__val__unknown = 12588
da_qmx__val__pt3750 = 12481
da_qmx__val__pt3851 = 10071
da_qmx__val__pt3911 = 12482
da_qmx__val__pt3916 = 10069
da_qmx__val__pt3920 = 10053
da_qmx__val__pt3928 = 12483
da_qmx__val__custom = 10137
da_qmx__val_m_volts_per_volt_per_degree = 12507
da_qmx__val_m_volts_per_volt_per_radian = 12508
da_qmx__val__none = 10230
da_qmx__val__lossless_packing = 12555
da_qmx__val__lossy_lsb_removal = 12556
da_qmx__val__first_sample = 10424
da_qmx__val__curr_read_pos = 10425
da_qmx__val__ref_trig = 10426
da_qmx__val__first_pretrig_samp = 10427
da_qmx__val__most_recent_samp = 10428
da_qmx__val__allow_regen = 10097
da_qmx__val__do_not_allow_regen = 10158
da_qmx__val_2_wire = 2
da_qmx__val_3_wire = 3
da_qmx__val_4_wire = 4
da_qmx__val__ohms = 10384
da_qmx__val__from_custom_scale = 10065
da_qmx__val__from_teds = 12516
da_qmx__val__ohms = 10384
da_qmx__val__from_custom_scale = 10065
da_qmx__val__bits = 10109
da_qmx__val_scxi1124_range0to1_v = 14629
da_qmx__val_scxi1124_range0to5_v = 14630
da_qmx__val_scxi1124_range0to10_v = 14631
da_qmx__val_scxi1124_range_neg1to1_v = 14632
da_qmx__val_scxi1124_range_neg5to5_v = 14633
da_qmx__val_scxi1124_range_neg10to10_v = 14634
da_qmx__val_scxi1124_range0to20m_a = 14635
da_qmx__val__samp_clk_active_edge = 14617
da_qmx__val__samp_clk_inactive_edge = 14618
da_qmx__val__handshake_trigger_asserts = 12552
da_qmx__val__handshake_trigger_deasserts = 12553
da_qmx__val__samp_clk = 10388
da_qmx__val__burst_handshake = 12548
da_qmx__val__handshake = 10389
da_qmx__val__implicit = 10451
da_qmx__val__on_demand = 10390
da_qmx__val__change_detection = 12504
da_qmx__val__pipelined_samp_clk = 14668
da_qmx__val__linear = 10447
da_qmx__val__map_ranges = 10448
da_qmx__val__polynomial = 10449
da_qmx__val__table = 10450
da_qmx__val__polynomial = 10449
da_qmx__val__table = 10450
da_qmx__val__polynomial = 10449
da_qmx__val__table = 10450
da_qmx__val__none = 10230
da_qmx__val_a = 12513
da_qmx__val_b = 12514
da_qmx__val__aand_b = 12515
da_qmx__val_r1 = 12465
da_qmx__val_r2 = 12466
da_qmx__val_r3 = 12467
da_qmx__val_r4 = 14813
da_qmx__val__none = 10230
da_qmx__val_ai_convert_clock = 12484
da_qmx__val_10_m_hz_ref_clock = 12536
da_qmx__val_20_m_hz_timebase_clock = 12486
da_qmx__val__sample_clock = 12487
da_qmx__val__advance_trigger = 12488
da_qmx__val__reference_trigger = 12490
da_qmx__val__start_trigger = 12491
da_qmx__val__adv_cmplt_event = 12492
da_qmx__val_ai_hold_cmplt_event = 12493
da_qmx__val__counter_output_event = 12494
da_qmx__val__change_detection_event = 12511
da_qmx__val_wdt_expired_event = 12512
da_qmx__val__sample_complete_event = 12530
da_qmx__val__counter_output_event = 12494
da_qmx__val__change_detection_event = 12511
da_qmx__val__sample_clock = 12487
da_qmx__val__rising_slope = 10280
da_qmx__val__falling_slope = 10171
da_qmx__val__pascals = 10081
da_qmx__val__from_custom_scale = 10065
da_qmx__val__internal = 10200
da_qmx__val__external = 10167
da_qmx__val__full_bridge_i = 10183
da_qmx__val__full_bridge_ii = 10184
da_qmx__val__full_bridge_iii = 10185
da_qmx__val__half_bridge_i = 10188
da_qmx__val__half_bridge_ii = 10189
da_qmx__val__quarter_bridge_i = 10271
da_qmx__val__quarter_bridge_ii = 10272
da_qmx__val__strain = 10299
da_qmx__val__from_custom_scale = 10065
da_qmx__val__finite = 10172
da_qmx__val__cont = 10117
da_qmx__val__source = 10439
da_qmx__val__load = 10440
da_qmx__val__reserved_for_routing = 10441
da_qmx__val__from_custom_scale = 10065
da_qmx__val__from_teds = 12516
da_qmx__val__deg_c = 10143
da_qmx__val__deg_f = 10144
da_qmx__val__kelvins = 10325
da_qmx__val__deg_r = 10145
da_qmx__val__from_custom_scale = 10065
da_qmx__val_j__type_tc = 10072
da_qmx__val_k__type_tc = 10073
da_qmx__val_n__type_tc = 10077
da_qmx__val_r__type_tc = 10082
da_qmx__val_s__type_tc = 10085
da_qmx__val_t__type_tc = 10086
da_qmx__val_b__type_tc = 10047
da_qmx__val_e__type_tc = 10055
da_qmx__val__seconds = 10364
da_qmx__val__from_custom_scale = 10065
da_qmx__val__seconds = 10364
da_qmx__val__seconds = 10364
da_qmx__val__ticks = 10304
da_qmx__val__from_custom_scale = 10065
da_qmx__val__single_cycle = 14613
da_qmx__val__multicycle = 14614
da_qmx__val__dig_edge = 10150
da_qmx__val__none = 10230
da_qmx__val__dig_edge = 10150
da_qmx__val__software = 10292
da_qmx__val__none = 10230
da_qmx__val__anlg_lvl = 10101
da_qmx__val__anlg_win = 10103
da_qmx__val__dig_lvl = 10152
da_qmx__val__dig_pattern = 10398
da_qmx__val__none = 10230
da_qmx__val__anlg_edge = 10099
da_qmx__val__dig_edge = 10150
da_qmx__val__dig_pattern = 10398
da_qmx__val__anlg_win = 10103
da_qmx__val__none = 10230
da_qmx__val__interlocked = 12549
da_qmx__val__none = 10230
da_qmx__val__halt_output_and_error = 14615
da_qmx__val__pause_until_data_available = 14616
da_qmx__val__volts = 10348
da_qmx__val__amps = 10342
da_qmx__val__deg_f = 10144
da_qmx__val__deg_c = 10143
da_qmx__val__deg_r = 10145
da_qmx__val__kelvins = 10325
da_qmx__val__strain = 10299
da_qmx__val__ohms = 10384
da_qmx__val__hz = 10373
da_qmx__val__seconds = 10364
da_qmx__val__meters = 10219
da_qmx__val__inches = 10379
da_qmx__val__degrees = 10146
da_qmx__val__radians = 10273
da_qmx__val_g = 10186
da_qmx__val__meters_per_second_squared = 12470
da_qmx__val__pascals = 10081
da_qmx__val__from_teds = 12516
da_qmx__val__volts = 10348
da_qmx__val__from_custom_scale = 10065
da_qmx__val__from_teds = 12516
da_qmx__val__volts = 10348
da_qmx__val__from_custom_scale = 10065
da_qmx__val__wait_for_interrupt = 12523
da_qmx__val__poll = 12524
da_qmx__val__yield = 12525
da_qmx__val__sleep = 12547
da_qmx__val__poll = 12524
da_qmx__val__yield = 12525
da_qmx__val__sleep = 12547
da_qmx__val__wait_for_interrupt = 12523
da_qmx__val__poll = 12524
da_qmx__val__wait_for_interrupt = 12523
da_qmx__val__poll = 12524
da_qmx__val__entering_win = 10163
da_qmx__val__leaving_win = 10208
da_qmx__val__inside_win = 10199
da_qmx__val__outside_win = 10251
da_qmx__val__write_to_eeprom = 12538
da_qmx__val__write_to_prom = 12539
da_qmx__val__do_not_write = 12540
da_qmx__val__first_sample = 10424
da_qmx__val__curr_write_pos = 10430
da_qmx__val__switch__topology_1127__independent = '1127/Independent'
da_qmx__val__switch__topology_1128__independent = '1128/Independent'
da_qmx__val__switch__topology_1130__independent = '1130/Independent'
da_qmx__val__switch__topology_1160_16_spdt = '1160/16-SPDT'
da_qmx__val__switch__topology_1161_8_spdt = '1161/8-SPDT'
da_qmx__val__switch__topology_1166_32_spdt = '1166/32-SPDT'
da_qmx__val__switch__topology_1166_16_dpdt = '1166/16-DPDT'
da_qmx__val__switch__topology_1167__independent = '1167/Independent'
da_qmx__val__switch__topology_1169_100_spst = '1169/100-SPST'
da_qmx__val__switch__topology_1169_50_dpst = '1169/50-DPST'
da_qmx__val__switch__topology_1192_8_spdt = '1192/8-SPDT'
da_qmx__val__switch__topology_1193__independent = '1193/Independent'
da_qmx__val__switch__topology_2510__independent = '2510/Independent'
da_qmx__val__switch__topology_2512__independent = '2512/Independent'
da_qmx__val__switch__topology_2514__independent = '2514/Independent'
da_qmx__val__switch__topology_2515__independent = '2515/Independent'
da_qmx__val__switch__topology_2527__independent = '2527/Independent'
da_qmx__val__switch__topology_2530__independent = '2530/Independent'
da_qmx__val__switch__topology_2548_4_spdt = '2548/4-SPDT'
da_qmx__val__switch__topology_2558_4_spdt = '2558/4-SPDT'
da_qmx__val__switch__topology_2564_16_spst = '2564/16-SPST'
da_qmx__val__switch__topology_2564_8_dpst = '2564/8-DPST'
da_qmx__val__switch__topology_2565_16_spst = '2565/16-SPST'
da_qmx__val__switch__topology_2566_16_spdt = '2566/16-SPDT'
da_qmx__val__switch__topology_2566_8_dpdt = '2566/8-DPDT'
da_qmx__val__switch__topology_2567__independent = '2567/Independent'
da_qmx__val__switch__topology_2568_31_spst = '2568/31-SPST'
da_qmx__val__switch__topology_2568_15_dpst = '2568/15-DPST'
da_qmx__val__switch__topology_2569_100_spst = '2569/100-SPST'
da_qmx__val__switch__topology_2569_50_dpst = '2569/50-DPST'
da_qmx__val__switch__topology_2570_40_spdt = '2570/40-SPDT'
da_qmx__val__switch__topology_2570_20_dpdt = '2570/20-DPDT'
da_qmx__val__switch__topology_2576__independent = '2576/Independent'
da_qmx__val__switch__topology_2584__independent = '2584/Independent'
da_qmx__val__switch__topology_2586_10_spst = '2586/10-SPST'
da_qmx__val__switch__topology_2586_5_dpst = '2586/5-DPST'
da_qmx__val__switch__topology_2593__independent = '2593/Independent'
da_qmx__val__switch__topology_2599_2_spdt = '2599/2-SPDT'
da_qmx_success = 0
error_map = {50000: 'ngPALValueConflict', 50001: 'ngPALIrrelevantAttribute', 50002: 'ngPALBadDevice', 50003: 'ngPALBadSelector', 50004: 'ngPALBadPointer', 50005: 'ngPALBadDataSize', 50006: 'ngPALBadMode', 50007: 'ngPALBadOffset', 50008: 'ngPALBadCount', 50009: 'ngPALBadReadMode', 50010: 'ngPALBadReadOffset', 50011: 'ngPALBadReadCount', 50012: 'ngPALBadWriteMode', 50013: 'ngPALBadWriteOffset', 50014: 'ngPALBadWriteCount', 50015: 'ngPALBadAddressClass', 50016: 'ngPALBadWindowType', 50019: 'ngPALBadThreadMultitask', -89167: 'RoutingDestTermPXIDStarXNotInSystemTimingSlot_Routing', -89166: 'RoutingSrcTermPXIDStarXNotInSystemTimingSlot_Routing', -89165: 'RoutingSrcTermPXIDStarInNonDStarTriggerSlot_Routing', -89164: 'RoutingDestTermPXIDStarInNonDStarTriggerSlot_Routing', 50101: 'ngPALResourceNotAvailable', -89162: 'RoutingDestTermPXIClk10InNotInStarTriggerSlot_Routing', -89161: 'RoutingDestTermPXIClk10InNotInSystemTimingSlot_Routing', -89160: 'RoutingDestTermPXIStarXNotInStarTriggerSlot_Routing', -89159: 'RoutingDestTermPXIStarXNotInSystemTimingSlot_Routing', -89158: 'RoutingSrcTermPXIStarXNotInStarTriggerSlot_Routing', -89157: 'RoutingSrcTermPXIStarXNotInSystemTimingSlot_Routing', -89156: 'RoutingSrcTermPXIStarInNonStarTriggerSlot_Routing', -89155: 'RoutingDestTermPXIStarInNonStarTriggerSlot_Routing', -89154: 'RoutingDestTermPXIStarInStarTriggerSlot_Routing', -89153: 'RoutingDestTermPXIStarInSystemTimingSlot_Routing', -89152: 'RoutingSrcTermPXIStarInStarTriggerSlot_Routing', -89151: 'RoutingSrcTermPXIStarInSystemTimingSlot_Routing', -89150: 'InvalidSignalModifier_Routing', -89149: 'RoutingDestTermPXIClk10InNotInSlot2_Routing', -89148: 'RoutingDestTermPXIStarXNotInSlot2_Routing', -89147: 'RoutingSrcTermPXIStarXNotInSlot2_Routing', -89146: 'RoutingSrcTermPXIStarInSlot16AndAbove_Routing', -89145: 'RoutingDestTermPXIStarInSlot16AndAbove_Routing', -89144: 'RoutingDestTermPXIStarInSlot2_Routing', -89143: 'RoutingSrcTermPXIStarInSlot2_Routing', -89142: 'RoutingDestTermPXIChassisNotIdentified_Routing', -89141: 'RoutingSrcTermPXIChassisNotIdentified_Routing', -89140: 'TrigLineNotFoundSingleDevRoute_Routing', -89139: 'NoCommonTrigLineForRoute_Routing', -89138: 'ResourcesInUseForRouteInTask_Routing', -89137: 'ResourcesInUseForRoute_Routing', -89136: 'RouteNotSupportedByHW_Routing', -89135: 'ResourcesInUseForInversionInTask_Routing', -89134: 'ResourcesInUseForInversion_Routing', -89133: 'InversionNotSupportedByHW_Routing', -89132: 'ResourcesInUseForProperty_Routing', -89131: 'RouteSrcAndDestSame_Routing', -89130: 'DevAbsentOrUnavailable_Routing', -89129: 'InvalidTerm_Routing', -89128: 'CannotTristateTerm_Routing', -89127: 'CannotTristateBusyTerm_Routing', -89126: 'CouldNotReserveRequestedTrigLine_Routing', -89125: 'TrigLineNotFound_Routing', -89124: 'RoutingPathNotAvailable_Routing', -89123: 'RoutingHardwareBusy_Routing', -89122: 'RequestedSignalInversionForRoutingNotPossible_Routing', -89121: 'InvalidRoutingDestinationTerminalName_Routing', -89120: 'InvalidRoutingSourceTerminalName_Routing', 50151: 'ngPALFirmwareFault', 50152: 'ngPALHardwareFault', 50200: 'ngPALOSUnsupported', 50202: 'ngPALOSFault', 50254: 'ngPALFunctionObsolete', 50255: 'ngPALFunctionNotFound', 50256: 'ngPALFeatureNotSupported', 50258: 'ngPALComponentInitializationFault', 50260: 'ngPALComponentAlreadyLoaded', 50262: 'ngPALComponentNotUnloadable', 50351: 'ngPALMemoryAlignmentFault', 50355: 'ngPALMemoryHeapNotEmpty', -88907: 'ServiceLocatorNotAvailable_Routing', -88900: 'CouldNotConnectToServer_Routing', 50402: 'ngPALTransferNotInProgress', 50403: 'ngPALTransferInProgress', 50404: 'ngPALTransferStopped', 50405: 'ngPALTransferAborted', 50406: 'ngPALLogicalBufferEmpty', 50407: 'ngPALLogicalBufferFull', 50408: 'ngPALPhysicalBufferEmpty', 50409: 'ngPALPhysicalBufferFull', 50410: 'ngPALTransferOverwritten', 50411: 'ngPALTransferOverread', 50500: 'ngPALDispatcherAlreadyExported', -88720: 'DeviceNameContainsSpacesOrPunctuation_Routing', -88719: 'DeviceNameContainsNonprintableCharacters_Routing', -88718: 'DeviceNameIsEmpty_Routing', -88717: 'DeviceNameNotFound_Routing', -88716: 'LocalRemoteDriverVersionMismatch_Routing', -88715: 'DuplicateDeviceName_Routing', 50551: 'ngPALSyncAbandoned', -88710: 'RuntimeAborting_Routing', -88709: 'RuntimeAborted_Routing', -88708: 'ResourceNotInPool_Routing', -88705: 'DriverDeviceGUIDNotFound_Routing', -209805: 'COCannotKeepUpInHWTimedSinglePoint', -209803: 'WaitForNextSampClkDetected3OrMoreSampClks', -209802: 'WaitForNextSampClkDetectedMissedSampClk', -209801: 'WriteNotCompleteBeforeSampClk', -209800: 'ReadNotCompleteBeforeSampClk', 200003: 'ngTimestampCounterRolledOver', 200004: 'ngInputTerminationOverloaded', 200005: 'ngADCOverloaded', 200007: 'ngPLLUnlocked', 200008: 'ngCounter0DMADuringAIConflict', 200009: 'ngCounter1DMADuringAOConflict', 200010: 'ngStoppedBeforeDone', 200011: 'ngRateViolatesSettlingTime', 200012: 'ngRateViolatesMaxADCRate', 200013: 'ngUserDefInfoStringTooLong', 200014: 'ngTooManyInterruptsPerSecond', 200015: 'ngPotentialGlitchDuringWrite', 200016: 'ngDevNotSelfCalibratedWithDAQmx', 200017: 'ngAISampRateTooLow', 200018: 'ngAIConvRateTooLow', 200019: 'ngReadOffsetCoercion', 200020: 'ngPretrigCoercion', 200021: 'ngSampValCoercedToMax', 200022: 'ngSampValCoercedToMin', 200024: 'ngPropertyVersionNew', 200025: 'ngUserDefinedInfoTooLong', 200026: 'ngCAPIStringTruncatedToFitBuffer', 200027: 'ngSampClkRateTooLow', 200028: 'ngPossiblyInvalidCTRSampsInFiniteDMAAcq', 200029: 'ngRISAcqCompletedSomeBinsNotFilled', 200030: 'ngPXIDevTempExceedsMaxOpTemp', 200031: 'ngOutputGainTooLowForRFFreq', 200032: 'ngOutputGainTooHighForRFFreq', 200033: 'ngMultipleWritesBetweenSampClks', 200034: 'ngDeviceMayShutDownDueToHighTemp', 200035: 'ngRateViolatesMinADCRate', 200036: 'ngSampClkRateAboveDevSpecs', 200037: 'ngCOPrevDAQmxWriteSettingsOverwrittenForHWTimedSinglePoint', 200038: 'ngLowpassFilterSettlingTimeExceedsUserTimeBetween2ADCConversions', 200039: 'ngLowpassFilterSettlingTimeExceedsDriverTimeBetween2ADCConversions', 200040: 'ngSampClkRateViolatesSettlingTimeForGen', 200041: 'ngInvalidCalConstValueForAI', 200042: 'ngInvalidCalConstValueForAO', 200043: 'ngChanCalExpired', 200044: 'ngUnrecognizedEnumValueEncounteredInStorage', 200045: 'ngTableCRCNotCorrect', 200046: 'ngExternalCRCNotCorrect', 200047: 'ngSelfCalCRCNotCorrect', 200048: 'ngDeviceSpecExceeded', 200049: 'ngOnlyGainCalibrated', 200050: 'ngReversePowerProtectionActivated', 200051: 'ngOverVoltageProtectionActivated', 200052: 'ngBufferSizeNotMultipleOfSectorSize', 200053: 'ngSampleRateMayCauseAcqToFail', 200054: 'ngUserAreaCRCNotCorrect', 200055: 'ngPowerUpInfoCRCNotCorrect', -201331: 'MemoryMappedHardwareTimedNonBufferedUnsupported', -201330: 'CannotUpdatePulseTrainWithAutoIncrementEnabled', -201329: 'HWTimedSinglePointAndDataXferNotDMA', -201328: 'SCCSecondStageEmpty', -201327: 'SCCInvalidDualStageCombo', -201326: 'SCCInvalidSecondStage', -201325: 'SCCInvalidFirstStage', -201324: 'CounterMultipleSampleClockedChannels', -201323: '2CounterMeasurementModeAndSampleClocked', -201322: 'CantHaveBothMemMappedAndNonMemMappedTasks', -201321: 'MemMappedDataReadByAnotherProcess', -201320: 'RetriggeringInvalidForGivenSettings', -201319: 'AIOverrun', -201318: 'COOverrun', -201317: 'CounterMultipleBufferedChannels', -201316: 'InvalidTimebaseForCOHWTSP', -201315: 'WriteBeforeEvent', -201314: 'CIOverrun', -201313: 'CounterNonResponsiveAndReset', -201312: 'MeasTypeOrChannelNotSupportedForLogging', -201311: 'FileAlreadyOpenedForWrite', -201310: 'TdmsNotFound', -201309: 'GenericFileIO', -201308: 'FiniteSTCCounterNotSupportedForLogging', -201307: 'MeasurementTypeNotSupportedForLogging', -201306: 'FileAlreadyOpened', -201305: 'DiskFull', -201304: 'FilePathInvalid', -201303: 'FileVersionMismatch', -201302: 'FileWriteProtected', -201301: 'ReadNotSupportedForLoggingMode', -201300: 'AttributeNotSupportedWhenLogging', -201299: 'LoggingModeNotSupportedNonBuffered', -201298: 'PropertyNotSupportedWithConflictingProperty', -201297: 'ParallelSSHOnConnector1', -201296: 'COOnlyImplicitSampleTimingTypeSupported', -201295: 'CalibrationFailedAOOutOfRange', -201294: 'CalibrationFailedAIOutOfRange', -201293: 'CalPWMLinearityFailed', -201292: 'OverrunUnderflowConfigurationCombo', -201291: 'CannotWriteToFiniteCOTask', -201290: 'NetworkDAQInvalidWEPKeyLength', -201289: 'CalInputsShortedNotSupported', -201288: 'CannotSetPropertyWhenTaskIsReserved', -201287: 'Minus12VFuseBlown', -201286: 'Plus12VFuseBlown', -201285: 'Plus5VFuseBlown', -201284: 'Plus3VFuseBlown', -201283: 'DeviceSerialPortError', -201282: 'PowerUpStateMachineNotDone', -201281: 'TooManyTriggersSpecifiedInTask', -201280: 'VerticalOffsetNotSupportedOnDevice', -201279: 'InvalidCouplingForMeasurementType', -201278: 'DigitalLineUpdateTooFastForDevice', -201277: 'CertificateIsTooBigToTransfer', -201276: 'OnlyPEMOrDERCertiticatesAccepted', -201275: 'CalCouplingNotSupported', -201274: 'DeviceNotSupportedIn64Bit', -201273: 'NetworkDeviceInUse', -201272: 'InvalidIPv4AddressFormat', -201271: 'NetworkProductTypeMismatch', -201270: 'OnlyPEMCertificatesAccepted', -201269: 'CalibrationRequiresPrototypingBoardEnabled', -201268: 'AllCurrentLimitingResourcesAlreadyTaken', -201267: 'UserDefInfoStringBadLength', -201266: 'PropertyNotFound', -201265: 'OverVoltageProtectionActivated', -201264: 'ScaledIQWaveformTooLarge', -201263: 'FirmwareFailedToDownload', -201262: 'PropertyNotSupportedForBusType', -201261: 'ChangeRateWhileRunningCouldNotBeCompleted', -201260: 'CannotQueryManualControlAttribute', -201259: 'InvalidNetworkConfiguration', -201258: 'InvalidWirelessConfiguration', -201257: 'InvalidWirelessCountryCode', -201256: 'InvalidWirelessChannel', -201255: 'NetworkEEPROMHasChanged', -201254: 'NetworkSerialNumberMismatch', -201253: 'NetworkStatusDown', -201252: 'NetworkTargetUnreachable', -201251: 'NetworkTargetNotFound', -201250: 'NetworkStatusTimedOut', -201249: 'InvalidWirelessSecuritySelection', -201248: 'NetworkDeviceConfigurationLocked', -201247: 'NetworkDAQDeviceNotSupported', -201246: 'NetworkDAQCannotCreateEmptySleeve', -201244: 'ModuleTypeDoesNotMatchModuleTypeInDestination', -201243: 'InvalidTEDSInterfaceAddress', -201242: 'DevDoesNotSupportSCXIComm', -201241: 'SCXICommDevConnector0MustBeCabledToModule', -201240: 'SCXIModuleDoesNotSupportDigitizationMode', -201239: 'DevDoesNotSupportMultiplexedSCXIDigitizationMode', -201238: 'DevOrDevPhysChanDoesNotSupportSCXIDigitization', -201237: 'InvalidPhysChanName', -201236: 'SCXIChassisCommModeInvalid', -201235: 'RequiredDependencyNotFound', -201234: 'InvalidStorage', -201233: 'InvalidObject', -201232: 'StorageAlteredPriorToSave', -201231: 'TaskDoesNotReferenceLocalChannel', -201230: 'ReferencedDevSimMustMatchTarget', -201229: 'ProgrammedIOFailsBecauseOfWatchdogTimer', -201228: 'WatchdogTimerFailsBecauseOfProgrammedIO', -201227: 'CantUseThisTimingEngineWithAPort', -201226: 'ProgrammedIOConflict', -201225: 'ChangeDetectionIncompatibleWithProgrammedIO', -201224: 'TristateNotEnoughLines', -201223: 'TristateConflict', -201222: 'GenerateOrFiniteWaitExpectedBeforeBreakBlock', -201221: 'BreakBlockNotAllowedInLoop', -201220: 'ClearTriggerNotAllowedInBreakBlock', -201219: 'NestingNotAllowedInBreakBlock', -201218: 'IfElseBlockNotAllowedInBreakBlock', -201217: 'RepeatUntilTriggerLoopNotAllowedInBreakBlock', -201216: 'WaitUntilTriggerNotAllowedInBreakBlock', -201215: 'MarkerPosInvalidInBreakBlock', -201214: 'InvalidWaitDurationInBreakBlock', -201213: 'InvalidSubsetLengthInBreakBlock', -201212: 'InvalidWaveformLengthInBreakBlock', -201211: 'InvalidWaitDurationBeforeBreakBlock', -201210: 'InvalidSubsetLengthBeforeBreakBlock', -201209: 'InvalidWaveformLengthBeforeBreakBlock', -201208: 'SampleRateTooHighForADCTimingMode', -201207: 'ActiveDevNotSupportedWithMultiDevTask', -201206: 'RealDevAndSimDevNotSupportedInSameTask', -201205: 'RTSISimMustMatchDevSim', -201204: 'BridgeShuntCaNotSupported', -201203: 'StrainShuntCaNotSupported', -201202: 'GainTooLargeForGainCalConst', -201201: 'OffsetTooLargeForOffsetCalConst', -201200: 'ElvisPrototypingBoardRemoved', -201199: 'Elvis2PowerRailFault', -201198: 'Elvis2PhysicalChansFault', -201197: 'Elvis2PhysicalChansThermalEvent', -201196: 'RXBitErrorRateLimitExceeded', -201195: 'PHYBitErrorRateLimitExceeded', -201194: 'TwoPartAttributeCalledOutOfOrder', -201193: 'InvalidSCXIChassisAddress', -201192: 'CouldNotConnectToRemoteMXS', -201191: 'ExcitationStateRequiredForAttributes', -201190: 'DeviceNotUsableUntilUSBReplug', -201189: 'InputFIFOOverflowDuringCalibrationOnFullSpeedUSB', -201188: 'InputFIFOOverflowDuringCalibration', -201187: 'CJCChanConflictsWithNonThermocoupleChan', -201186: 'CommDeviceForPXIBackplaneNotInRightmostSlot', -201185: 'CommDeviceForPXIBackplaneNotInSameChassis', -201184: 'CommDeviceForPXIBackplaneNotPXI', -201183: 'InvalidCalExcitFrequency', -201182: 'InvalidCalExcitVoltage', -201181: 'InvalidAIInputSrc', -201180: 'InvalidCalInputRef', -201179: 'dBReferenceValueNotGreaterThanZero', -201178: 'SampleClockRateIsTooFastForSampleClockTiming', -201177: 'DeviceNotUsableUntilColdStart', -201176: 'SampleClockRateIsTooFastForBurstTiming', -201175: 'DevImportFailedAssociatedResourceIDsNotSupported', -201174: 'SCXI1600ImportNotSupported', -201173: 'PowerSupplyConfigurationFailed', -201172: 'IEPEWithDCNotAllowed', -201171: 'MinTempForThermocoupleTypeOutsideAccuracyForPolyScaling', -201170: 'DevImportFailedNoDeviceToOverwriteAndSimulationNotSupported', -201169: 'DevImportFailedDeviceNotSupportedOnDestination', -201168: 'FirmwareIsTooOld', -201167: 'FirmwareCouldntUpdate', -201166: 'FirmwareIsCorrupt', -201165: 'FirmwareTooNew', -201164: 'SampClockCannotBeExportedFromExternalSampClockSrc', -201163: 'PhysChanReservedForInputWhenDesiredForOutput', -201162: 'PhysChanReservedForOutputWhenDesiredForInput', -201161: 'SpecifiedCDAQSlotNotEmpty', -201160: 'DeviceDoesNotSupportSimulation', -201159: 'InvalidCDAQSlotNumberSpecd', -201158: 'CSeriesModSimMustMatchCDAQChassisSim', -201157: 'SCCCabledDevMustNotBeSimWhenSCCCarrierIsNotSim', -201156: 'SCCModSimMustMatchSCCCarrierSim', -201155: 'SCXIModuleDoesNotSupportSimulation', -201154: 'SCXICableDevMustNotBeSimWhenModIsNotSim', -201153: 'SCXIDigitizerSimMustNotBeSimWhenModIsNotSim', -201152: 'SCXIModSimMustMatchSCXIChassisSim', -201151: 'SimPXIDevReqSlotAndChassisSpecd', -201150: 'SimDevConflictWithRealDev', -201149: 'InsufficientDataForCalibration', -201148: 'TriggerChannelMustBeEnabled', -201147: 'CalibrationDataConflictCouldNotBeResolved', -201146: 'SoftwareTooNewForSelfCalibrationData', -201145: 'SoftwareTooNewForExtCalibrationData', -201144: 'SelfCalibrationDataTooNewForSoftware', -201143: 'ExtCalibrationDataTooNewForSoftware', -201142: 'SoftwareTooNewForEEPROM', -201141: 'EEPROMTooNewForSoftware', -201140: 'SoftwareTooNewForHardware', -201139: 'HardwareTooNewForSoftware', -201138: 'TaskCannotRestartFirstSampNotAvailToGenerate', -201137: 'OnlyUseStartTrigSrcPrptyWithDevDataLines', -201136: 'OnlyUsePauseTrigSrcPrptyWithDevDataLines', -201135: 'OnlyUseRefTrigSrcPrptyWithDevDataLines', -201134: 'PauseTrigDigPatternSizeDoesNotMatchSrcSize', -201133: 'LineConflictCDAQ', -201132: 'CannotWriteBeyondFinalFiniteSample', -201131: 'RefAndStartTriggerSrcCantBeSame', -201130: 'MemMappingIncompatibleWithPhysChansInTask', -201129: 'OutputDriveTypeMemMappingConflict', -201128: 'CAPIDeviceIndexInvalid', -201127: 'RatiometricDevicesMustUseExcitationForScaling', -201126: 'PropertyRequiresPerDeviceCfg', -201125: 'AICouplingAndAIInputSourceConflict', -201124: 'OnlyOneTaskCanPerformDOMemoryMappingAtATime', -201123: 'TooManyChansForAnalogRefTrigCDAQ', -201122: 'SpecdPropertyValueIsIncompatibleWithSampleTimingType', -201121: 'CPUNotSupportedRequireSSE', -201120: 'SpecdPropertyValueIsIncompatibleWithSampleTimingResponseMode', -201119: 'ConflictingNextWriteIsLastAndRegenModeProperties', -201118: 'MStudioOperationDoesNotSupportDeviceContext', -201117: 'PropertyValueInChannelExpansionContextInvalid', -201116: 'HWTimedNonBufferedAONotSupported', -201115: 'WaveformLengthNotMultOfQuantum', -201114: 'DSAExpansionMixedBoardsWrongOrderInPXIChassis', -201113: 'PowerLevelTooLowForOOK', -201112: 'DeviceComponentTestFailure', -201111: 'UserDefinedWfmWithOOKUnsupported', -201110: 'InvalidDigitalModulationUserDefinedWaveform', -201109: 'BothRefInAndRefOutEnabled', -201108: 'BothAnalogAndDigitalModulationEnabled', -201107: 'BufferedOpsNotSupportedInSpecdSlotForCDAQ', -201106: 'PhysChanNotSupportedInSpecdSlotForCDAQ', -201105: 'ResourceReservedWithConflictingSettings', -201104: 'InconsistentAnalogTrigSettingsCDAQ', -201103: 'TooManyChansForAnalogPauseTrigCDAQ', -201102: 'AnalogTrigNotFirstInScanListCDAQ', -201101: 'TooManyChansGivenTimingType', -201100: 'SampClkTimebaseDivWithExtSampClk', -201099: 'CantSaveTaskWithPerDeviceTimingProperties', -201098: 'ConflictingAutoZeroMode', -201097: 'SampClkRateNotSupportedWithEAREnabled', -201096: 'SampClkTimebaseRateNotSpecd', -201095: 'SessionCorruptedByDLLReload', -201094: 'ActiveDevNotSupportedWithChanExpansion', -201093: 'SampClkRateInvalid', -201092: 'ExtSyncPulseSrcCannotBeExported', -201091: 'SyncPulseMinDelayToStartNeededForExtSyncPulseSrc', -201090: 'SyncPulseSrcInvalid', -201089: 'SampClkTimebaseRateInvalid', -201088: 'SampClkTimebaseSrcInvalid', -201087: 'SampClkRateMustBeSpecd', -201086: 'InvalidAttributeName', -201085: 'CJCChanNameMustBeSetWhenCJCSrcIsScannableChan', -201084: 'HiddenChanMissingInChansPropertyInCfgFile', -201083: 'ChanNamesNotSpecdInCfgFile', -201082: 'DuplicateHiddenChanNamesInCfgFile', -201081: 'DuplicateChanNameInCfgFile', -201080: 'InvalidSCCModuleForSlotSpecd', -201079: 'InvalidSCCSlotNumberSpecd', -201078: 'InvalidSectionIdentifier', -201077: 'InvalidSectionName', -201076: 'DAQmxVersionNotSupported', -201075: 'SWObjectsFoundInFile', -201074: 'HWObjectsFoundInFile', -201073: 'LocalChannelSpecdWithNoParentTask', -201072: 'TaskReferencesMissingLocalChannel', -201071: 'TaskReferencesLocalChannelFromOtherTask', -201070: 'TaskMissingChannelProperty', -201069: 'InvalidLocalChanName', -201068: 'InvalidEscapeCharacterInString', -201067: 'InvalidTableIdentifier', -201066: 'ValueFoundInInvalidColumn', -201065: 'MissingStartOfTable', -201064: 'FileMissingRequiredDAQmxHeader', -201063: 'DeviceIDDoesNotMatch', -201062: 'BufferedOperationsNotSupportedOnSelectedLines', -201061: 'PropertyConflictsWithScale', -201060: 'InvalidINIFileSyntax', -201059: 'DeviceInfoFailedPXIChassisNotIdentified', -201058: 'InvalidHWProductNumber', -201057: 'InvalidHWProductType', -201056: 'InvalidNumericFormatSpecd', -201055: 'DuplicatePropertyInObject', -201054: 'InvalidEnumValueSpecd', -201053: 'TEDSSensorPhysicalChannelConflict', -201052: 'TooManyPhysicalChansForTEDSInterfaceSpecd', -201051: 'IncapableTEDSInterfaceControllingDeviceSpecd', -201050: 'SCCCarrierSpecdIsMissing', -201049: 'IncapableSCCDigitizingDeviceSpecd', -201048: 'AccessorySettingNotApplicable', -201047: 'DeviceAndConnectorSpecdAlreadyOccupied', -201046: 'IllegalAccessoryTypeForDeviceSpecd', -201045: 'InvalidDeviceConnectorNumberSpecd', -201044: 'InvalidAccessoryName', -201043: 'MoreThanOneMatchForSpecdDevice', -201042: 'NoMatchForSpecdDevice', -201041: 'ProductTypeAndProductNumberConflict', -201040: 'ExtraPropertyDetectedInSpecdObject', -201039: 'RequiredPropertyMissing', -201038: 'CantSetAuthorForLocalChan', -201037: 'InvalidTimeValue', -201036: 'InvalidTimeFormat', -201035: 'DigDevChansSpecdInModeOtherThanParallel', -201034: 'CascadeDigitizationModeNotSupported', -201033: 'SpecdSlotAlreadyOccupied', -201032: 'InvalidSCXISlotNumberSpecd', -201031: 'AddressAlreadyInUse', -201030: 'SpecdDeviceDoesNotSupportRTSI', -201029: 'SpecdDeviceIsAlreadyOnRTSIBus', -201028: 'IdentifierInUse', -201027: 'WaitForNextSampleClockOrReadDetected3OrMoreMissedSampClks', -201026: 'HWTimedAndDataXferPIO', -201025: 'NonBufferedAndHWTimed', -201024: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriodPolled', -201023: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriod2', -201022: 'COCannotKeepUpInHWTimedSinglePointPolled', -201021: 'WriteRecoveryCannotKeepUpInHWTimedSinglePoint', -201020: 'NoChangeDetectionOnSelectedLineForDevice', -201019: 'SMIOPauseTriggersNotSupportedWithChannelExpansion', -201018: 'ClockMasterForExternalClockNotLongestPipeline', -201017: 'UnsupportedUnicodeByteOrderMarker', -201016: 'TooManyInstructionsInLoopInScript', -201015: 'PLLNotLocked', -201014: 'IfElseBlockNotAllowedInFiniteRepeatLoopInScript', -201013: 'IfElseBlockNotAllowedInConditionalRepeatLoopInScript', -201012: 'ClearIsLastInstructionInIfElseBlockInScript', -201011: 'InvalidWaitDurationBeforeIfElseBlockInScript', -201010: 'MarkerPosInvalidBeforeIfElseBlockInScript', -201009: 'InvalidSubsetLengthBeforeIfElseBlockInScript', -201008: 'InvalidWaveformLengthBeforeIfElseBlockInScript', -201007: 'GenerateOrFiniteWaitInstructionExpectedBeforeIfElseBlockInScript', -201006: 'CalPasswordNotSupported', -201005: 'SetupCalNeededBeforeAdjustCal', -201004: 'MultipleChansNotSupportedDuringCalSetup', -201003: 'DevCannotBeAccessed', -201002: 'SampClkRateDoesntMatchSampClkSrc', -201001: 'SampClkRateNotSupportedWithEARDisabled', -201000: 'LabVIEWVersionDoesntSupportDAQmxEvents', -200999: 'COReadyForNewValNotSupportedWithOnDemand', -200998: 'CIHWTimedSinglePointNotSupportedForMeasType', -200997: 'OnDemandNotSupportedWithHWTimedSinglePoint', -200996: 'HWTimedSinglePointAndDataXferNotProgIO', -200995: 'MemMapAndHWTimedSinglePoint', -200994: 'CannotSetPropertyWhenHWTimedSinglePointTaskIsRunning', -200993: 'CTROutSampClkPeriodShorterThanGenPulseTrainPeriod', -200992: 'TooManyEventsGenerated', -200991: 'MStudioCppRemoveEventsBeforeStop', -200990: 'CAPICannotRegisterSyncEventsFromMultipleThreads', -200989: 'ReadWaitNextSampClkWaitMismatchTwo', -200988: 'ReadWaitNextSampClkWaitMismatchOne', -200987: 'DAQmxSignalEventTypeNotSupportedByChanTypesOrDevicesInTask', -200986: 'CannotUnregisterDAQmxSoftwareEventWhileTaskIsRunning', -200985: 'AutoStartWriteNotAllowedEventRegistered', -200984: 'AutoStartReadNotAllowedEventRegistered', -200983: 'CannotGetPropertyWhenTaskNotReservedCommittedOrRunning', -200982: 'SignalEventsNotSupportedByDevice', -200981: 'EveryNSamplesAcqIntoBufferEventNotSupportedByDevice', -200980: 'EveryNSampsTransferredFromBufferEventNotSupportedByDevice', -200979: 'CAPISyncEventsTaskStateChangeNotAllowedFromDifferentThread', -200978: 'DAQmxSWEventsWithDifferentCallMechanisms', -200977: 'CantSaveChanWithPolyCalScaleAndAllowInteractiveEdit', -200976: 'ChanDoesNotSupportCJC', -200975: 'COReadyForNewValNotSupportedWithHWTimedSinglePoint', -200974: 'DACAllowConnToGndNotSupportedByDevWhenRefSrcExt', -200973: 'CantGetPropertyTaskNotRunning', -200972: 'CantSetPropertyTaskNotRunning', -200971: 'CantSetPropertyTaskNotRunningCommitted', -200970: 'AIEveryNSampsEventIntervalNotMultipleOf2', -200969: 'InvalidTEDSPhysChanNotAI', -200968: 'CAPICannotPerformTaskOperationInAsyncCallback', -200967: 'EveryNSampsTransferredFromBufferEventAlreadyRegistered', -200966: 'EveryNSampsAcqIntoBufferEventAlreadyRegistered', -200965: 'EveryNSampsTransferredFromBufferNotForInput', -200964: 'EveryNSampsAcqIntoBufferNotForOutput', -200963: 'AOSampTimingTypeDifferentIn2Tasks', -200962: 'CouldNotDownloadFirmwareHWDamaged', -200961: 'CouldNotDownloadFirmwareFileMissingOrDamaged', -200960: 'CannotRegisterDAQmxSoftwareEventWhileTaskIsRunning', -200959: 'DifferentRawDataCompression', -200958: 'ConfiguredTEDSInterfaceDevNotDetected', -200957: 'CompressedSampSizeExceedsResolution', -200956: 'ChanDoesNotSupportCompression', -200955: 'DifferentRawDataFormats', -200954: 'SampClkOutputTermIncludesStartTrigSrc', -200953: 'StartTrigSrcEqualToSampClkSrc', -200952: 'EventOutputTermIncludesTrigSrc', -200951: 'COMultipleWritesBetweenSampClks', -200950: 'DoneEventAlreadyRegistered', -200949: 'SignalEventAlreadyRegistered', -200948: 'CannotHaveTimedLoopAndDAQmxSignalEventsInSameTask', -200947: 'NeedLabVIEW711PatchToUseDAQmxEvents', -200946: 'StartFailedDueToWriteFailure', -200945: 'DataXferCustomThresholdNotDMAXferMethodSpecifiedForDev', -200944: 'DataXferRequestConditionNotSpecifiedForCustomThreshold', -200943: 'DataXferCustomThresholdNotSpecified', -200942: 'CAPISyncCallbackNotSupportedOnThisPlatform', -200941: 'CalChanReversePolyCoefNotSpecd', -200940: 'CalChanForwardPolyCoefNotSpecd', -200939: 'ChanCalRepeatedNumberInPreScaledVals', -200938: 'ChanCalTableNumScaledNotEqualNumPrescaledVals', -200937: 'ChanCalTableScaledValsNotSpecd', -200936: 'ChanCalTablePreScaledValsNotSpecd', -200935: 'ChanCalScaleTypeNotSet', -200934: 'ChanCalExpired', -200933: 'ChanCalExpirationDateNotSet', -200932: '3OutputPortCombinationGivenSampTimingType653x', -200931: '3InputPortCombinationGivenSampTimingType653x', -200930: '2OutputPortCombinationGivenSampTimingType653x', -200929: '2InputPortCombinationGivenSampTimingType653x', -200928: 'PatternMatcherMayBeUsedByOneTrigOnly', -200927: 'NoChansSpecdForPatternSource', -200926: 'ChangeDetectionChanNotInTask', -200925: 'ChangeDetectionChanNotTristated', -200924: 'WaitModeValueNotSupportedNonBuffered', -200923: 'WaitModePropertyNotSupportedNonBuffered', -200922: 'CantSavePerLineConfigDigChanSoInteractiveEditsAllowed', -200921: 'CantSaveNonPortMultiLineDigChanSoInteractiveEditsAllowed', -200920: 'BufferSizeNotMultipleOfEveryNSampsEventIntervalNoIrqOnDev', -200919: 'GlobalTaskNameAlreadyChanName', -200918: 'GlobalChanNameAlreadyTaskName', -200917: 'AOEveryNSampsEventIntervalNotMultipleOf2', -200916: 'SampleTimebaseDivisorNotSupportedGivenTimingType', -200915: 'HandshakeEventOutputTermNotSupportedGivenTimingType', -200914: 'ChangeDetectionOutputTermNotSupportedGivenTimingType', -200913: 'ReadyForTransferOutputTermNotSupportedGivenTimingType', -200912: 'RefTrigOutputTermNotSupportedGivenTimingType', -200911: 'StartTrigOutputTermNotSupportedGivenTimingType', -200910: 'SampClockOutputTermNotSupportedGivenTimingType', -200909: '20MhzTimebaseNotSupportedGivenTimingType', -200908: 'SampClockSourceNotSupportedGivenTimingType', -200907: 'RefTrigTypeNotSupportedGivenTimingType', -200906: 'PauseTrigTypeNotSupportedGivenTimingType', -200905: 'HandshakeTrigTypeNotSupportedGivenTimingType', -200904: 'StartTrigTypeNotSupportedGivenTimingType', -200903: 'RefClkSrcNotSupported', -200902: 'DataVoltageLowAndHighIncompatible', -200901: 'InvalidCharInDigPatternString', -200900: 'CantUsePort3AloneGivenSampTimingTypeOn653x', -200899: 'CantUsePort1AloneGivenSampTimingTypeOn653x', -200898: 'PartialUseOfPhysicalLinesWithinPortNotSupported653x', -200897: 'PhysicalChanNotSupportedGivenSampTimingType653x', -200896: 'CanExportOnlyDigEdgeTrigs', -200895: 'RefTrigDigPatternSizeDoesNotMatchSourceSize', -200894: 'StartTrigDigPatternSizeDoesNotMatchSourceSize', -200893: 'ChangeDetectionRisingAndFallingEdgeChanDontMatch', -200892: 'PhysicalChansForChangeDetectionAndPatternMatch653x', -200891: 'CanExportOnlyOnboardSampClk', -200890: 'InternalSampClkNotRisingEdge', -200889: 'RefTrigDigPatternChanNotInTask', -200888: 'RefTrigDigPatternChanNotTristated', -200887: 'StartTrigDigPatternChanNotInTask', -200886: 'StartTrigDigPatternChanNotTristated', -200885: 'PXIStarAndClock10Sync', -200884: 'GlobalChanCannotBeSavedSoInteractiveEditsAllowed', -200883: 'TaskCannotBeSavedSoInteractiveEditsAllowed', -200882: 'InvalidGlobalChan', -200881: 'EveryNSampsEventAlreadyRegistered', -200880: 'EveryNSampsEventIntervalZeroNotSupported', -200879: 'ChanSizeTooBigForU16PortWrite', -200878: 'ChanSizeTooBigForU16PortRead', -200877: 'BufferSizeNotMultipleOfEveryNSampsEventIntervalWhenDMA', -200876: 'WriteWhenTaskNotRunningCOTicks', -200875: 'WriteWhenTaskNotRunningCOFreq', -200874: 'WriteWhenTaskNotRunningCOTime', -200873: 'AOMinMaxNotSupportedDACRangeTooSmall', -200872: 'AOMinMaxNotSupportedGivenDACRange', -200871: 'AOMinMaxNotSupportedGivenDACRangeAndOffsetVal', -200870: 'AOMinMaxNotSupportedDACOffsetValInappropriate', -200869: 'AOMinMaxNotSupportedGivenDACOffsetVal', -200868: 'AOMinMaxNotSupportedDACRefValTooSmall', -200867: 'AOMinMaxNotSupportedGivenDACRefVal', -200866: 'AOMinMaxNotSupportedGivenDACRefAndOffsetVal', -200865: 'WhenAcqCompAndNumSampsPerChanExceedsOnBrdBufSize', -200864: 'WhenAcqCompAndNoRefTrig', -200863: 'WaitForNextSampClkNotSupported', -200862: 'DevInUnidentifiedPXIChassis', -200861: 'MaxSoundPressureMicSensitivitRelatedAIPropertiesNotSupportedByDev', -200860: 'MaxSoundPressureAndMicSensitivityNotSupportedByDev', -200859: 'AOBufferSizeZeroForSampClkTimingType', -200858: 'AOCallWriteBeforeStartForSampClkTimingType', -200857: 'InvalidCalLowPassCutoffFreq', -200856: 'SimulationCannotBeDisabledForDevCreatedAsSimulatedDev', -200855: 'CannotAddNewDevsAfterTaskConfiguration', -200854: 'DifftSyncPulseSrcAndSampClkTimebaseSrcDevMultiDevTask', -200853: 'TermWithoutDevInMultiDevTask', -200852: 'SyncNoDevSampClkTimebaseOrSyncPulseInPXISlot2', -200851: 'PhysicalChanNotOnThisConnector', -200850: 'NumSampsToWaitNotGreaterThanZeroInScript', -200849: 'NumSampsToWaitNotMultipleOfAlignmentQuantumInScript', -200848: 'EveryNSamplesEventNotSupportedForNonBufferedTasks', -200847: 'BufferedAndDataXferPIO', -200846: 'CannotWriteWhenAutoStartFalseAndTaskNotRunning', -200845: 'NonBufferedAndDataXferInterrupts', -200844: 'WriteFailedMultipleCtrsWithFREQOUT', -200843: 'ReadNotCompleteBefore3SampClkEdges', -200842: 'CtrHWTimedSinglePointAndDataXferNotProgIO', -200841: 'PrescalerNot1ForInputTerminal', -200840: 'PrescalerNot1ForTimebaseSrc', -200839: 'SampClkTimingTypeWhenTristateIsFalse', -200838: 'OutputBufferSizeNotMultOfXferSize', -200837: 'SampPerChanNotMultOfXferSize', -200836: 'WriteToTEDSFailed', -200835: 'SCXIDevNotUsablePowerTurnedOff', -200834: 'CannotReadWhenAutoStartFalseBufSizeZeroAndTaskNotRunning', -200833: 'CannotReadWhenAutoStartFalseHWTimedSinglePtAndTaskNotRunning', -200832: 'CannotReadWhenAutoStartFalseOnDemandAndTaskNotRunning', -200831: 'SimultaneousAOWhenNotOnDemandTiming', -200830: 'MemMapAndSimultaneousAO', -200829: 'WriteFailedMultipleCOOutputTypes', -200828: 'WriteToTEDSNotSupportedOnRT', -200827: 'VirtualTEDSDataFileError', -200826: 'TEDSSensorDataError', -200825: 'DataSizeMoreThanSizeOfEEPROMOnTEDS', -200824: 'PROMOnTEDSContainsBasicTEDSData', -200823: 'PROMOnTEDSAlreadyWritten', -200822: 'TEDSDoesNotContainPROM', -200821: 'HWTimedSinglePointNotSupportedAI', -200820: 'HWTimedSinglePointOddNumChansInAITask', -200819: 'CantUseOnlyOnBoardMemWithProgrammedIO', -200818: 'SwitchDevShutDownDueToHighTemp', -200817: 'ExcitationNotSupportedWhenTermCfgDiff', -200816: 'TEDSMinElecValGEMaxElecVal', -200815: 'TEDSMinPhysValGEMaxPhysVal', -200814: 'CIOnboardClockNotSupportedAsInputTerm', -200813: 'InvalidSampModeForPositionMeas', -200812: 'TrigWhenAOHWTimedSinglePtSampMode', -200811: 'DAQmxCantUseStringDueToUnknownChar', -200810: 'DAQmxCantRetrieveStringDueToUnknownChar', -200809: 'ClearTEDSNotSupportedOnRT', -200808: 'CfgTEDSNotSupportedOnRT', -200807: 'ProgFilterClkCfgdToDifferentMinPulseWidthBySameTask1PerDev', -200806: 'ProgFilterClkCfgdToDifferentMinPulseWidthByAnotherTask1PerDev', -200804: 'NoLastExtCalDateTimeLastExtCalNotDAQmx', -200803: 'CannotWriteNotStartedAutoStartFalseNotOnDemandHWTimedSglPt', -200802: 'CannotWriteNotStartedAutoStartFalseNotOnDemandBufSizeZero', -200801: 'COInvalidTimingSrcDueToSignal', -200800: 'CIInvalidTimingSrcForSampClkDueToSampTimingType', -200799: 'CIInvalidTimingSrcForEventCntDueToSampMode', -200798: 'NoChangeDetectOnNonInputDigLineForDev', -200797: 'EmptyStringTermNameNotSupported', -200796: 'MemMapEnabledForHWTimedNonBufferedAO', -200795: 'DevOnboardMemOverflowDuringHWTimedNonBufferedGen', -200794: 'CODAQmxWriteMultipleChans', -200793: 'CantMaintainExistingValueAOSync', -200792: 'MStudioMultiplePhysChansNotSupported', -200791: 'CantConfigureTEDSForChan', -200790: 'WriteDataTypeTooSmall', -200789: 'ReadDataTypeTooSmall', -200788: 'MeasuredBridgeOffsetTooHigh', -200787: 'StartTrigConflictWithCOHWTimedSinglePt', -200786: 'SampClkRateExtSampClkTimebaseRateMismatch', -200785: 'InvalidTimingSrcDueToSampTimingType', -200784: 'VirtualTEDSFileNotFound', -200783: 'MStudioNoForwardPolyScaleCoeffs', -200782: 'MStudioNoReversePolyScaleCoeffs', -200781: 'MStudioNoPolyScaleCoeffsUseCalc', -200780: 'MStudioNoForwardPolyScaleCoeffsUseCalc', -200779: 'MStudioNoReversePolyScaleCoeffsUseCalc', -200778: 'COSampModeSampTimingTypeSampClkConflict', -200777: 'DevCannotProduceMinPulseWidth', -200776: 'CannotProduceMinPulseWidthGivenPropertyValues', -200775: 'TermCfgdToDifferentMinPulseWidthByAnotherTask', -200774: 'TermCfgdToDifferentMinPulseWidthByAnotherProperty', -200773: 'DigSyncNotAvailableOnTerm', -200772: 'DigFilterNotAvailableOnTerm', -200771: 'DigFilterEnabledMinPulseWidthNotCfg', -200770: 'DigFilterAndSyncBothEnabled', -200769: 'HWTimedSinglePointAOAndDataXferNotProgIO', -200768: 'NonBufferedAOAndDataXferNotProgIO', -200767: 'ProgIODataXferForBufferedAO', -200766: 'TEDSLegacyTemplateIDInvalidOrUnsupported', -200765: 'TEDSMappingMethodInvalidOrUnsupported', -200764: 'TEDSLinearMappingSlopeZero', -200763: 'AIInputBufferSizeNotMultOfXferSize', -200762: 'NoSyncPulseExtSampClkTimebase', -200761: 'NoSyncPulseAnotherTaskRunning', -200760: 'AOMinMaxNotInGainRange', -200759: 'AOMinMaxNotInDACRange', -200758: 'DevOnlySupportsSampClkTimingAO', -200757: 'DevOnlySupportsSampClkTimingAI', -200756: 'TEDSIncompatibleSensorAndMeasType', -200755: 'TEDSMultipleCalTemplatesNotSupported', -200754: 'TEDSTemplateParametersNotSupported', -200753: 'ParsingTEDSData', -200752: 'MultipleActivePhysChansNotSupported', -200751: 'NoChansSpecdForChangeDetect', -200750: 'InvalidCalVoltageForGivenGain', -200749: 'InvalidCalGain', -200748: 'MultipleWritesBetweenSampClks', -200747: 'InvalidAcqTypeForFREQOUT', -200746: 'SuitableTimebaseNotFoundTimeCombo2', -200745: 'SuitableTimebaseNotFoundFrequencyCombo2', -200744: 'RefClkRateRefClkSrcMismatch', -200743: 'NoTEDSTerminalBlock', -200742: 'CorruptedTEDSMemory', -200741: 'TEDSNotSupported', -200740: 'TimingSrcTaskStartedBeforeTimedLoop', -200739: 'PropertyNotSupportedForTimingSrc', -200738: 'TimingSrcDoesNotExist', -200737: 'InputBufferSizeNotEqualSampsPerChanForFiniteSampMode', -200736: 'FREQOUTCannotProduceDesiredFrequency2', -200735: 'ExtRefClkRateNotSpecified', -200734: 'DeviceDoesNotSupportDMADataXferForNonBufferedAcq', -200733: 'DigFilterMinPulseWidthSetWhenTristateIsFalse', -200732: 'DigFilterEnableSetWhenTristateIsFalse', -200731: 'NoHWTimingWithOnDemand', -200730: 'CannotDetectChangesWhenTristateIsFalse', -200729: 'CannotHandshakeWhenTristateIsFalse', -200728: 'LinesUsedForStaticInputNotForHandshakingControl', -200727: 'LinesUsedForHandshakingControlNotForStaticInput', -200726: 'LinesUsedForStaticInputNotForHandshakingInput', -200725: 'LinesUsedForHandshakingInputNotForStaticInput', -200724: 'DifferentDITristateValsForChansInTask', -200723: 'TimebaseCalFreqVarianceTooLarge', -200722: 'TimebaseCalFailedToConverge', -200721: 'InadequateResolutionForTimebaseCal', -200720: 'InvalidAOGainCalConst', -200719: 'InvalidAOOffsetCalConst', -200718: 'InvalidAIGainCalConst', -200717: 'InvalidAIOffsetCalConst', -200716: 'DigOutputOverrun', -200715: 'DigInputOverrun', -200714: 'AcqStoppedDriverCantXferDataFastEnough', -200713: 'ChansCantAppearInSameTask', -200712: 'InputCfgFailedBecauseWatchdogExpired', -200711: 'AnalogTrigChanNotExternal', -200710: 'TooManyChansForInternalAIInputSrc', -200709: 'TEDSSensorNotDetected', -200708: 'PrptyGetSpecdActiveItemFailedDueToDifftValues', -200706: 'RoutingDestTermPXIClk10InNotInSlot2', -200705: 'RoutingDestTermPXIStarXNotInSlot2', -200704: 'RoutingSrcTermPXIStarXNotInSlot2', -200703: 'RoutingSrcTermPXIStarInSlot16AndAbove', -200702: 'RoutingDestTermPXIStarInSlot16AndAbove', -200701: 'RoutingDestTermPXIStarInSlot2', -200700: 'RoutingSrcTermPXIStarInSlot2', -200699: 'RoutingDestTermPXIChassisNotIdentified', -200698: 'RoutingSrcTermPXIChassisNotIdentified', -200697: 'FailedToAcquireCalData', -200696: 'BridgeOffsetNullingCalNotSupported', -200695: 'AIMaxNotSpecified', -200694: 'AIMinNotSpecified', -200693: 'OddTotalBufferSizeToWrite', -200692: 'OddTotalNumSampsToWrite', -200691: 'BufferWithWaitMode', -200690: 'BufferWithHWTimedSinglePointSampMode', -200689: 'COWritePulseLowTicksNotSupported', -200688: 'COWritePulseHighTicksNotSupported', -200687: 'COWritePulseLowTimeOutOfRange', -200686: 'COWritePulseHighTimeOutOfRange', -200685: 'COWriteFreqOutOfRange', -200684: 'COWriteDutyCycleOutOfRange', -200683: 'InvalidInstallation', -200682: 'RefTrigMasterSessionUnavailable', -200681: 'RouteFailedBecauseWatchdogExpired', -200680: 'DeviceShutDownDueToHighTemp', -200679: 'NoMemMapWhenHWTimedSinglePoint', -200678: 'WriteFailedBecauseWatchdogExpired', -200677: 'DifftInternalAIInputSrcs', -200676: 'DifftAIInputSrcInOneChanGroup', -200675: 'InternalAIInputSrcInMultChanGroups', -200674: 'SwitchOpFailedDueToPrevError', -200673: 'WroteMultiSampsUsingSingleSampWrite', -200672: 'MismatchedInputArraySizes', -200671: 'CantExceedRelayDriveLimit', -200670: 'DACRngLowNotEqualToMinusRefVal', -200669: 'CantAllowConnectDACToGnd', -200668: 'WatchdogTimeoutOutOfRangeAndNotSpecialVal', -200667: 'NoWatchdogOutputOnPortReservedForInput', -200666: 'NoInputOnPortCfgdForWatchdogOutput', -200665: 'WatchdogExpirationStateNotEqualForLinesInPort', -200664: 'CannotPerformOpWhenTaskNotReserved', -200663: 'PowerupStateNotSupported', -200662: 'WatchdogTimerNotSupported', -200661: 'OpNotSupportedWhenRefClkSrcNone', -200660: 'SampClkRateUnavailable', -200659: 'PrptyGetSpecdSingleActiveChanFailedDueToDifftVals', -200658: 'PrptyGetImpliedActiveChanFailedDueToDifftVals', -200657: 'PrptyGetSpecdActiveChanFailedDueToDifftVals', -200656: 'NoRegenWhenUsingBrdMem', -200655: 'NonbufferedReadMoreThanSampsPerChan', -200654: 'WatchdogExpirationTristateNotSpecdForEntirePort', -200653: 'PowerupTristateNotSpecdForEntirePort', -200652: 'PowerupStateNotSpecdForEntirePort', -200651: 'CantSetWatchdogExpirationOnDigInChan', -200650: 'CantSetPowerupStateOnDigInChan', -200649: 'PhysChanNotInTask', -200648: 'PhysChanDevNotInTask', -200647: 'DigInputNotSupported', -200646: 'DigFilterIntervalNotEqualForLines', -200645: 'DigFilterIntervalAlreadyCfgd', -200644: 'CantResetExpiredWatchdog', -200643: 'ActiveChanTooManyLinesSpecdWhenGettingPrpty', -200642: 'ActiveChanNotSpecdWhenGetting1LinePrpty', -200641: 'DigPrptyCannotBeSetPerLine', -200640: 'SendAdvCmpltAfterWaitForTrigInScanlist', -200639: 'DisconnectionRequiredInScanlist', -200638: 'TwoWaitForTrigsAfterConnectionInScanlist', -200637: 'ActionSeparatorRequiredAfterBreakingConnectionInScanlist', -200636: 'ConnectionInScanlistMustWaitForTrig', -200635: 'ActionNotSupportedTaskNotWatchdog', -200634: 'WfmNameSameAsScriptName', -200633: 'ScriptNameSameAsWfmName', -200632: 'DSFStopClock', -200631: 'DSFReadyForStartClock', -200630: 'WriteOffsetNotMultOfIncr', -200629: 'DifferentPrptyValsNotSupportedOnDev', -200628: 'RefAndPauseTrigConfigured', -200627: 'FailedToEnableHighSpeedInputClock', -200626: 'EmptyPhysChanInPowerUpStatesArray', -200625: 'ActivePhysChanTooManyLinesSpecdWhenGettingPrpty', -200624: 'ActivePhysChanNotSpecdWhenGetting1LinePrpty', -200623: 'PXIDevTempCausedShutDown', -200622: 'InvalidNumSampsToWrite', -200621: 'OutputFIFOUnderflow2', -200620: 'RepeatedAIPhysicalChan', -200619: 'MultScanOpsInOneChassis', -200618: 'InvalidAIChanOrder', -200617: 'ReversePowerProtectionActivated', -200616: 'InvalidAsynOpHandle', -200615: 'FailedToEnableHighSpeedOutput', -200614: 'CannotReadPastEndOfRecord', -200613: 'AcqStoppedToPreventInputBufferOverwriteOneDataXferMech', -200612: 'ZeroBasedChanIndexInvalid', -200611: 'NoChansOfGivenTypeInTask', -200610: 'SampClkSrcInvalidForOutputValidForInput', -200609: 'OutputBufSizeTooSmallToStartGen', -200608: 'InputBufSizeTooSmallToStartAcq', -200607: 'ExportTwoSignalsOnSameTerminal', -200606: 'ChanIndexInvalid', -200605: 'RangeSyntaxNumberTooBig', -200604: 'NULLPtr', -200603: 'ScaledMinEqualMax', -200602: 'PreScaledMinEqualMax', -200601: 'PropertyNotSupportedForScaleType', -200600: 'ChannelNameGenerationNumberTooBig', -200599: 'RepeatedNumberInScaledValues', -200598: 'RepeatedNumberInPreScaledValues', -200597: 'LinesAlreadyReservedForOutput', -200596: 'SwitchOperationChansSpanMultipleDevsInList', -200595: 'InvalidIDInListAtBeginningOfSwitchOperation', -200594: 'MStudioInvalidPolyDirection', -200593: 'MStudioPropertyGetWhileTaskNotVerified', -200592: 'RangeWithTooManyObjects', -200591: 'CppDotNetAPINegativeBufferSize', -200590: 'CppCantRemoveInvalidEventHandler', -200589: 'CppCantRemoveEventHandlerTwice', -200588: 'CppCantRemoveOtherObjectsEventHandler', -200587: 'DigLinesReservedOrUnavailable', -200586: 'DSFFailedToResetStream', -200585: 'DSFReadyForOutputNotAsserted', -200584: 'SampToWritePerChanNotMultipleOfIncr', -200583: 'AOPropertiesCauseVoltageBelowMin', -200582: 'AOPropertiesCauseVoltageOverMax', -200581: 'PropertyNotSupportedWhenRefClkSrcNone', -200580: 'AIMaxTooSmall', -200579: 'AIMaxTooLarge', -200578: 'AIMinTooSmall', -200577: 'AIMinTooLarge', -200576: 'BuiltInCJCSrcNotSupported', -200575: 'TooManyPostTrigSampsPerChan', -200574: 'TrigLineNotFoundSingleDevRoute', -200573: 'DifferentInternalAIInputSources', -200572: 'DifferentAIInputSrcInOneChanGroup', -200571: 'InternalAIInputSrcInMultipleChanGroups', -200570: 'CAPIChanIndexInvalid', -200569: 'CollectionDoesNotMatchChanType', -200568: 'OutputCantStartChangedRegenerationMode', -200567: 'OutputCantStartChangedBufferSize', -200566: 'ChanSizeTooBigForU32PortWrite', -200565: 'ChanSizeTooBigForU8PortWrite', -200564: 'ChanSizeTooBigForU32PortRead', -200563: 'ChanSizeTooBigForU8PortRead', -200562: 'InvalidDigDataWrite', -200561: 'InvalidAODataWrite', -200560: 'WaitUntilDoneDoesNotIndicateDone', -200559: 'MultiChanTypesInTask', -200558: 'MultiDevsInTask', -200557: 'CannotSetPropertyWhenTaskRunning', -200556: 'CannotGetPropertyWhenTaskNotCommittedOrRunning', -200555: 'LeadingUnderscoreInString', -200554: 'TrailingSpaceInString', -200553: 'LeadingSpaceInString', -200552: 'InvalidCharInString', -200551: 'DLLBecameUnlocked', -200550: 'DLLLock', -200549: 'SelfCalConstsInvalid', -200548: 'InvalidTrigCouplingExceptForExtTrigChan', -200547: 'WriteFailsBufferSizeAutoConfigured', -200546: 'ExtCalAdjustExtRefVoltageFailed', -200545: 'SelfCalFailedExtNoiseOrRefVoltageOutOfCal', -200544: 'ExtCalTemperatureNotDAQmx', -200543: 'ExtCalDateTimeNotDAQmx', -200542: 'SelfCalTemperatureNotDAQmx', -200541: 'SelfCalDateTimeNotDAQmx', -200540: 'DACRefValNotSet', -200539: 'AnalogMultiSampWriteNotSupported', -200538: 'InvalidActionInControlTask', -200537: 'PolyCoeffsInconsistent', -200536: 'SensorValTooLow', -200535: 'SensorValTooHigh', -200534: 'WaveformNameTooLong', -200533: 'IdentifierTooLongInScript', -200532: 'UnexpectedIDFollowingSwitchChanName', -200531: 'RelayNameNotSpecifiedInList', -200530: 'UnexpectedIDFollowingRelayNameInList', -200529: 'UnexpectedIDFollowingSwitchOpInList', -200528: 'InvalidLineGrouping', -200527: 'CtrMinMax', -200526: 'WriteChanTypeMismatch', -200525: 'ReadChanTypeMismatch', -200524: 'WriteNumChansMismatch', -200523: 'OneChanReadForMultiChanTask', -200522: 'CannotSelfCalDuringExtCal', -200521: 'MeasCalAdjustOscillatorPhaseDAC', -200520: 'InvalidCalConstCalADCAdjustment', -200519: 'InvalidCalConstOscillatorFreqDACValue', -200518: 'InvalidCalConstOscillatorPhaseDACValue', -200517: 'InvalidCalConstOffsetDACValue', -200516: 'InvalidCalConstGainDACValue', -200515: 'InvalidNumCalADCReadsToAverage', -200514: 'InvalidCfgCalAdjustDirectPathOutputImpedance', -200513: 'InvalidCfgCalAdjustMainPathOutputImpedance', -200512: 'InvalidCfgCalAdjustMainPathPostAmpGainAndOffset', -200511: 'InvalidCfgCalAdjustMainPathPreAmpGain', -200510: 'InvalidCfgCalAdjustMainPreAmpOffset', -200509: 'MeasCalAdjustCalADC', -200508: 'MeasCalAdjustOscillatorFrequency', -200507: 'MeasCalAdjustDirectPathOutputImpedance', -200506: 'MeasCalAdjustMainPathOutputImpedance', -200505: 'MeasCalAdjustDirectPathGain', -200504: 'MeasCalAdjustMainPathPostAmpGainAndOffset', -200503: 'MeasCalAdjustMainPathPreAmpGain', -200502: 'MeasCalAdjustMainPathPreAmpOffset', -200501: 'InvalidDateTimeInEEPROM', -200500: 'UnableToLocateErrorResources', -200499: 'DotNetAPINotUnsigned32BitNumber', -200498: 'InvalidRangeOfObjectsSyntaxInString', -200497: 'AttemptToEnableLineNotPreviouslyDisabled', -200496: 'InvalidCharInPattern', -200495: 'IntermediateBufferFull', -200494: 'LoadTaskFailsBecauseNoTimingOnDev', -200493: 'CAPIReservedParamNotNULLNorEmpty', -200492: 'CAPIReservedParamNotNULL', -200491: 'CAPIReservedParamNotZero', -200490: 'SampleValueOutOfRange', -200489: 'ChanAlreadyInTask', -200488: 'VirtualChanDoesNotExist', -200486: 'ChanNotInTask', -200485: 'TaskNotInDataNeighborhood', -200484: 'CantSaveTaskWithoutReplace', -200483: 'CantSaveChanWithoutReplace', -200482: 'DevNotInTask', -200481: 'DevAlreadyInTask', -200479: 'CanNotPerformOpWhileTaskRunning', -200478: 'CanNotPerformOpWhenNoChansInTask', -200477: 'CanNotPerformOpWhenNoDevInTask', -200475: 'CannotPerformOpWhenTaskNotRunning', -200474: 'OperationTimedOut', -200473: 'CannotReadWhenAutoStartFalseAndTaskNotRunningOrCommitted', -200472: 'CannotWriteWhenAutoStartFalseAndTaskNotRunningOrCommitted', -200470: 'TaskVersionNew', -200469: 'ChanVersionNew', -200467: 'EmptyString', -200466: 'ChannelSizeTooBigForPortReadType', -200465: 'ChannelSizeTooBigForPortWriteType', -200464: 'ExpectedNumberOfChannelsVerificationFailed', -200463: 'NumLinesMismatchInReadOrWrite', -200462: 'OutputBufferEmpty', -200461: 'InvalidChanName', -200460: 'ReadNoInputChansInTask', -200459: 'WriteNoOutputChansInTask', -200457: 'PropertyNotSupportedNotInputTask', -200456: 'PropertyNotSupportedNotOutputTask', -200455: 'GetPropertyNotInputBufferedTask', -200454: 'GetPropertyNotOutputBufferedTask', -200453: 'InvalidTimeoutVal', -200452: 'AttributeNotSupportedInTaskContext', -200451: 'AttributeNotQueryableUnlessTaskIsCommitted', -200450: 'AttributeNotSettableWhenTaskIsRunning', -200449: 'DACRngLowNotMinusRefValNorZero', -200448: 'DACRngHighNotEqualRefVal', -200447: 'UnitsNotFromCustomScale', -200446: 'InvalidVoltageReadingDuringExtCal', -200445: 'CalFunctionNotSupported', -200444: 'InvalidPhysicalChanForCal', -200443: 'ExtCalNotComplete', -200442: 'CantSyncToExtStimulusFreqDuringCal', -200441: 'UnableToDetectExtStimulusFreqDuringCal', -200440: 'InvalidCloseAction', -200439: 'ExtCalFunctionOutsideExtCalSession', -200438: 'InvalidCalArea', -200437: 'ExtCalConstsInvalid', -200436: 'StartTrigDelayWithExtSampClk', -200435: 'DelayFromSampClkWithExtConv', -200434: 'FewerThan2PreScaledVals', -200433: 'FewerThan2ScaledValues', -200432: 'PhysChanOutputType', -200431: 'PhysChanMeasType', -200430: 'InvalidPhysChanType', -200429: 'LabVIEWEmptyTaskOrChans', -200428: 'LabVIEWInvalidTaskOrChans', -200427: 'InvalidRefClkRate', -200426: 'InvalidExtTrigImpedance', -200425: 'HystTrigLevelAIMax', -200424: 'LineNumIncompatibleWithVideoSignalFormat', -200423: 'TrigWindowAIMinAIMaxCombo', -200422: 'TrigAIMinAIMax', -200421: 'HystTrigLevelAIMin', -200420: 'InvalidSampRateConsiderRIS', -200419: 'InvalidReadPosDuringRIS', -200418: 'ImmedTrigDuringRISMode', -200417: 'TDCNotEnabledDuringRISMode', -200416: 'MultiRecWithRIS', -200415: 'InvalidRefClkSrc', -200414: 'InvalidSampClkSrc', -200413: 'InsufficientOnBoardMemForNumRecsAndSamps', -200412: 'InvalidAIAttenuation', -200411: 'ACCouplingNotAllowedWith50OhmImpedance', -200410: 'InvalidRecordNum', -200409: 'ZeroSlopeLinearScale', -200408: 'ZeroReversePolyScaleCoeffs', -200407: 'ZeroForwardPolyScaleCoeffs', -200406: 'NoReversePolyScaleCoeffs', -200405: 'NoForwardPolyScaleCoeffs', -200404: 'NoPolyScaleCoeffs', -200403: 'ReversePolyOrderLessThanNumPtsToCompute', -200402: 'ReversePolyOrderNotPositive', -200401: 'NumPtsToComputeNotPositive', -200400: 'WaveformLengthNotMultipleOfIncr', -200399: 'CAPINoExtendedErrorInfoAvailable', -200398: 'CVIFunctionNotFoundInDAQmxDLL', -200397: 'CVIFailedToLoadDAQmxDLL', -200396: 'NoCommonTrigLineForImmedRoute', -200395: 'NoCommonTrigLineForTaskRoute', -200394: 'F64PrptyValNotUnsignedInt', -200393: 'RegisterNotWritable', -200392: 'InvalidOutputVoltageAtSampClkRate', -200391: 'StrobePhaseShiftDCMBecameUnlocked', -200390: 'DrivePhaseShiftDCMBecameUnlocked', -200389: 'ClkOutPhaseShiftDCMBecameUnlocked', -200388: 'OutputBoardClkDCMBecameUnlocked', -200387: 'InputBoardClkDCMBecameUnlocked', -200386: 'InternalClkDCMBecameUnlocked', -200385: 'DCMLock', -200384: 'DataLineReservedForDynamicOutput', -200383: 'InvalidRefClkSrcGivenSampClkSrc', -200382: 'NoPatternMatcherAvailable', -200381: 'InvalidDelaySampRateBelowPhaseShiftDCMThresh', -200380: 'StrainGageCalibration', -200379: 'InvalidExtClockFreqAndDivCombo', -200378: 'CustomScaleDoesNotExist', -200377: 'OnlyFrontEndChanOpsDuringScan', -200376: 'InvalidOptionForDigitalPortChannel', -200375: 'UnsupportedSignalTypeExportSignal', -200374: 'InvalidSignalTypeExportSignal', -200373: 'UnsupportedTrigTypeSendsSWTrig', -200372: 'InvalidTrigTypeSendsSWTrig', -200371: 'RepeatedPhysicalChan', -200370: 'ResourcesInUseForRouteInTask', -200369: 'ResourcesInUseForRoute', -200368: 'RouteNotSupportedByHW', -200367: 'ResourcesInUseForExportSignalPolarity', -200366: 'ResourcesInUseForInversionInTask', -200365: 'ResourcesInUseForInversion', -200364: 'ExportSignalPolarityNotSupportedByHW', -200363: 'InversionNotSupportedByHW', -200362: 'OverloadedChansExistNotRead', -200361: 'InputFIFOOverflow2', -200360: 'CJCChanNotSpecd', -200359: 'CtrExportSignalNotPossible', -200358: 'RefTrigWhenContinuous', -200357: 'IncompatibleSensorOutputAndDeviceInputRanges', -200356: 'CustomScaleNameUsed', -200355: 'PropertyValNotSupportedByHW', -200354: 'PropertyValNotValidTermName', -200353: 'ResourcesInUseForProperty', -200352: 'CJCChanAlreadyUsed', -200351: 'ForwardPolynomialCoefNotSpecd', -200350: 'TableScaleNumPreScaledAndScaledValsNotEqual', -200349: 'TableScalePreScaledValsNotSpecd', -200348: 'TableScaleScaledValsNotSpecd', -200347: 'IntermediateBufferSizeNotMultipleOfIncr', -200346: 'EventPulseWidthOutOfRange', -200345: 'EventDelayOutOfRange', -200344: 'SampPerChanNotMultipleOfIncr', -200343: 'CannotCalculateNumSampsTaskNotStarted', -200342: 'ScriptNotInMem', -200341: 'OnboardMemTooSmall', -200340: 'ReadAllAvailableDataWithoutBuffer', -200339: 'PulseActiveAtStart', -200338: 'CalTempNotSupported', -200337: 'DelayFromSampClkTooLong', -200336: 'DelayFromSampClkTooShort', -200335: 'AIConvRateTooHigh', -200334: 'DelayFromStartTrigTooLong', -200333: 'DelayFromStartTrigTooShort', -200332: 'SampRateTooHigh', -200331: 'SampRateTooLow', -200330: 'PFI0UsedForAnalogAndDigitalSrc', -200329: 'PrimingCfgFIFO', -200328: 'CannotOpenTopologyCfgFile', -200327: 'InvalidDTInsideWfmDataType', -200326: 'RouteSrcAndDestSame', -200325: 'ReversePolynomialCoefNotSpecd', -200324: 'DevAbsentOrUnavailable', -200323: 'NoAdvTrigForMultiDevScan', -200322: 'InterruptsInsufficientDataXferMech', -200321: 'InvalidAttentuationBasedOnMinMax', -200320: 'CabledModuleCannotRouteSSH', -200319: 'CabledModuleCannotRouteConvClk', -200318: 'InvalidExcitValForScaling', -200317: 'NoDevMemForScript', -200316: 'ScriptDataUnderflow', -200315: 'NoDevMemForWaveform', -200314: 'StreamDCMBecameUnlocked', -200313: 'StreamDCMLock', -200312: 'WaveformNotInMem', -200311: 'WaveformWriteOutOfBounds', -200310: 'WaveformPreviouslyAllocated', -200309: 'SampClkTbMasterTbDivNotAppropriateForSampTbSrc', -200308: 'SampTbRateSampTbSrcMismatch', -200307: 'MasterTbRateMasterTbSrcMismatch', -200306: 'SampsPerChanTooBig', -200305: 'FinitePulseTrainNotPossible', -200304: 'ExtMasterTimebaseRateNotSpecified', -200303: 'ExtSampClkSrcNotSpecified', -200302: 'InputSignalSlowerThanMeasTime', -200301: 'CannotUpdatePulseGenProperty', -200300: 'InvalidTimingType', -200297: 'PropertyUnavailWhenUsingOnboardMemory', -200295: 'CannotWriteAfterStartWithOnboardMemory', -200294: 'NotEnoughSampsWrittenForInitialXferRqstCondition', -200293: 'NoMoreSpace', -200292: 'SamplesCanNotYetBeWritten', -200291: 'GenStoppedToPreventIntermediateBufferRegenOfOldSamples', -200290: 'GenStoppedToPreventRegenOfOldSamples', -200289: 'SamplesNoLongerWriteable', -200288: 'SamplesWillNeverBeGenerated', -200287: 'NegativeWriteSampleNumber', -200286: 'NoAcqStarted', -200284: 'SamplesNotYetAvailable', -200283: 'AcqStoppedToPreventIntermediateBufferOverflow', -200282: 'NoRefTrigConfigured', -200281: 'CannotReadRelativeToRefTrigUntilDone', -200279: 'SamplesNoLongerAvailable', -200278: 'SamplesWillNeverBeAvailable', -200277: 'NegativeReadSampleNumber', -200276: 'ExternalSampClkAndRefClkThruSameTerm', -200275: 'ExtSampClkRateTooLowForClkIn', -200274: 'ExtSampClkRateTooHighForBackplane', -200273: 'SampClkRateAndDivCombo', -200272: 'SampClkRateTooLowForDivDown', -200271: 'ProductOfAOMinAndGainTooSmall', -200270: 'InterpolationRateNotPossible', -200269: 'OffsetTooLarge', -200268: 'OffsetTooSmall', -200267: 'ProductOfAOMaxAndGainTooLarge', -200266: 'MinAndMaxNotSymmetric', -200265: 'InvalidAnalogTrigSrc', -200264: 'TooManyChansForAnalogRefTrig', -200263: 'TooManyChansForAnalogPauseTrig', -200262: 'TrigWhenOnDemandSampTiming', -200261: 'InconsistentAnalogTrigSettings', -200260: 'MemMapDataXferModeSampTimingCombo', -200259: 'InvalidJumperedAttr', -200258: 'InvalidGainBasedOnMinMax', -200257: 'InconsistentExcit', -200256: 'TopologyNotSupportedByCfgTermBlock', -200255: 'BuiltInTempSensorNotSupported', -200254: 'InvalidTerm', -200253: 'CannotTristateTerm', -200252: 'CannotTristateBusyTerm', -200251: 'NoDMAChansAvailable', -200250: 'InvalidWaveformLengthWithinLoopInScript', -200249: 'InvalidSubsetLengthWithinLoopInScript', -200248: 'MarkerPosInvalidForLoopInScript', -200247: 'IntegerExpectedInScript', -200246: 'PLLBecameUnlocked', -200245: 'PLLLock', -200244: 'DDCClkOutDCMBecameUnlocked', -200243: 'DDCClkOutDCMLock', -200242: 'ClkDoublerDCMBecameUnlocked', -200241: 'ClkDoublerDCMLock', -200240: 'SampClkDCMBecameUnlocked', -200239: 'SampClkDCMLock', -200238: 'SampClkTimebaseDCMBecameUnlocked', -200237: 'SampClkTimebaseDCMLock', -200236: 'AttrCannotBeReset', -200235: 'ExplanationNotFound', -200234: 'WriteBufferTooSmall', -200233: 'SpecifiedAttrNotValid', -200232: 'AttrCannotBeRead', -200231: 'AttrCannotBeSet', -200230: 'NULLPtrForC_Api', -200229: 'ReadBufferTooSmall', -200228: 'BufferTooSmallForString', -200227: 'NoAvailTrigLinesOnDevice', -200226: 'TrigBusLineNotAvail', -200225: 'CouldNotReserveRequestedTrigLine', -200224: 'TrigLineNotFound', -200223: 'SCXI1126ThreshHystCombination', -200222: 'AcqStoppedToPreventInputBufferOverwrite', -200221: 'TimeoutExceeded', -200220: 'InvalidDeviceID', -200219: 'InvalidAOChanOrder', -200218: 'SampleTimingTypeAndDataXferMode', -200217: 'BufferWithOnDemandSampTiming', -200216: 'BufferAndDataXferMode', -200215: 'MemMapAndBuffer', -200214: 'NoAnalogTrigHW', -200213: 'TooManyPretrigPlusMinPostTrigSamps', -200212: 'InconsistentUnitsSpecified', -200211: 'MultipleRelaysForSingleRelayOp', -200210: 'MultipleDevIDsPerChassisSpecifiedInList', -200209: 'DuplicateDevIDInList', -200208: 'InvalidRangeStatementCharInList', -200207: 'InvalidDeviceIDInList', -200206: 'TriggerPolarityConflict', -200205: 'CannotScanWithCurrentTopology', -200204: 'UnexpectedIdentifierInFullySpecifiedPathInList', -200203: 'SwitchCannotDriveMultipleTrigLines', -200202: 'InvalidRelayName', -200201: 'SwitchScanlistTooBig', -200200: 'SwitchChanInUse', -200199: 'SwitchNotResetBeforeScan', -200198: 'InvalidTopology', -200197: 'AttrNotSupported', -200196: 'UnexpectedEndOfActionsInList', -200195: 'PowerBudgetExceeded', -200194: 'HWUnexpectedlyPoweredOffAndOn', -200193: 'SwitchOperationNotSupported', -200192: 'OnlyContinuousScanSupported', -200191: 'SwitchDifferentTopologyWhenScanning', -200190: 'DisconnectPathNotSameAsExistingPath', -200189: 'ConnectionNotPermittedOnChanReservedForRouting', -200188: 'CannotConnectSrcChans', -200187: 'CannotConnectChannelToItself', -200186: 'ChannelNotReservedForRouting', -200185: 'CannotConnectChansDirectly', -200184: 'ChansAlreadyConnected', -200183: 'ChanDuplicatedInPath', -200182: 'NoPathToDisconnect', -200181: 'InvalidSwitchChan', -200180: 'NoPathAvailableBetween2SwitchChans', -200179: 'ExplicitConnectionExists', -200178: 'SwitchDifferentSettlingTimeWhenScanning', -200177: 'OperationOnlyPermittedWhileScanning', -200176: 'OperationNotPermittedWhileScanning', -200175: 'HardwareNotResponding', -200173: 'InvalidSampAndMasterTimebaseRateCombo', -200172: 'NonZeroBufferSizeInProgIOXfer', -200171: 'VirtualChanNameUsed', -200170: 'PhysicalChanDoesNotExist', -200169: 'MemMapOnlyForProgIOXfer', -200168: 'TooManyChans', -200167: 'CannotHaveCJTempWithOtherChans', -200166: 'OutputBufferUnderwrite', -200163: 'SensorInvalidCompletionResistance', -200162: 'VoltageExcitIncompatibleWith2WireCfg', -200161: 'IntExcitSrcNotAvailable', -200160: 'CannotCreateChannelAfterTaskVerified', -200159: 'LinesReservedForSCXIControl', -200158: 'CouldNotReserveLinesForSCXIControl', -200157: 'CalibrationFailed', -200156: 'ReferenceFrequencyInvalid', -200155: 'ReferenceResistanceInvalid', -200154: 'ReferenceCurrentInvalid', -200153: 'ReferenceVoltageInvalid', -200152: 'EEPROMDataInvalid', -200151: 'CabledModuleNotCapableOfRoutingAI', -200150: 'ChannelNotAvailableInParallelMode', -200149: 'ExternalTimebaseRateNotKnownForDelay', -200148: 'FREQOUTCannotProduceDesiredFrequency', -200147: 'MultipleCounterInputTask', -200146: 'CounterStartPauseTriggerConflict', -200145: 'CounterInputPauseTriggerAndSampleClockInvalid', -200144: 'CounterOutputPauseTriggerInvalid', -200143: 'CounterTimebaseRateNotSpecified', -200142: 'CounterTimebaseRateNotFound', -200141: 'CounterOverflow', -200140: 'CounterNoTimebaseEdgesBetweenGates', -200139: 'CounterMaxMinRangeFreq', -200138: 'CounterMaxMinRangeTime', -200137: 'SuitableTimebaseNotFoundTimeCombo', -200136: 'SuitableTimebaseNotFoundFrequencyCombo', -200135: 'InternalTimebaseSourceDivisorCombo', -200134: 'InternalTimebaseSourceRateCombo', -200133: 'InternalTimebaseRateDivisorSourceCombo', -200132: 'ExternalTimebaseRateNotknownForRate', -200131: 'AnalogTrigChanNotFirstInScanList', -200130: 'NoDivisorForExternalSignal', -200128: 'AttributeInconsistentAcrossRepeatedPhysicalChannels', -200127: 'CannotHandshakeWithPort0', -200126: 'ControlLineConflictOnPortC', -200125: 'Lines4To7ConfiguredForOutput', -200124: 'Lines4To7ConfiguredForInput', -200123: 'Lines0To3ConfiguredForOutput', -200122: 'Lines0To3ConfiguredForInput', -200121: 'PortConfiguredForOutput', -200120: 'PortConfiguredForInput', -200119: 'PortConfiguredForStaticDigitalOps', -200118: 'PortReservedForHandshaking', -200117: 'PortDoesNotSupportHandshakingDataIO', -200116: 'CannotTristate8255OutputLines', -200113: 'TemperatureOutOfRangeForCalibration', -200112: 'CalibrationHandleInvalid', -200111: 'PasswordRequired', -200110: 'IncorrectPassword', -200109: 'PasswordTooLong', -200108: 'CalibrationSessionAlreadyOpen', -200107: 'SCXIModuleIncorrect', -200106: 'AttributeInconsistentAcrossChannelsOnDevice', -200105: 'SCXI1122ResistanceChanNotSupportedForCfg', -200104: 'BracketPairingMismatchInList', -200103: 'InconsistentNumSamplesToWrite', -200102: 'IncorrectDigitalPattern', -200101: 'IncorrectNumChannelsToWrite', -200100: 'IncorrectReadFunction', -200099: 'PhysicalChannelNotSpecified', -200098: 'MoreThanOneTerminal', -200097: 'MoreThanOneActiveChannelSpecified', -200096: 'InvalidNumberSamplesToRead', -200095: 'AnalogWaveformExpected', -200094: 'DigitalWaveformExpected', -200093: 'ActiveChannelNotSpecified', -200092: 'FunctionNotSupportedForDeviceTasks', -200091: 'FunctionNotInLibrary', -200090: 'LibraryNotPresent', -200089: 'DuplicateTask', -200088: 'InvalidTask', -200087: 'InvalidChannel', -200086: 'InvalidSyntaxForPhysicalChannelRange', -200082: 'MinNotLessThanMax', -200081: 'SampleRateNumChansConvertPeriodCombo', -200079: 'AODuringCounter1DMAConflict', -200078: 'AIDuringCounter0DMAConflict', -200077: 'InvalidAttributeValue', -200076: 'SuppliedCurrentDataOutsideSpecifiedRange', -200075: 'SuppliedVoltageDataOutsideSpecifiedRange', -200074: 'CannotStoreCalConst', -200073: 'SCXIModuleNotFound', -200072: 'DuplicatePhysicalChansNotSupported', -200071: 'TooManyPhysicalChansInList', -200070: 'InvalidAdvanceEventTriggerType', -200069: 'DeviceIsNotAValidSwitch', -200068: 'DeviceDoesNotSupportScanning', -200067: 'ScanListCannotBeTimed', -200066: 'ConnectOperatorInvalidAtPointInList', -200065: 'UnexpectedSwitchActionInList', -200064: 'UnexpectedSeparatorInList', -200063: 'ExpectedTerminatorInList', -200062: 'ExpectedConnectOperatorInList', -200061: 'ExpectedSeparatorInList', -200060: 'FullySpecifiedPathInListContainsRange', -200059: 'ConnectionSeparatorAtEndOfList', -200058: 'IdentifierInListTooLong', -200057: 'DuplicateDeviceIDInListWhenSettling', -200056: 'ChannelNameNotSpecifiedInList', -200055: 'DeviceIDNotSpecifiedInList', -200054: 'SemicolonDoesNotFollowRangeInList', -200053: 'SwitchActionInListSpansMultipleDevices', -200052: 'RangeWithoutAConnectActionInList', -200051: 'InvalidIdentifierFollowingSeparatorInList', -200050: 'InvalidChannelNameInList', -200049: 'InvalidNumberInRepeatStatementInList', -200048: 'InvalidTriggerLineInList', -200047: 'InvalidIdentifierInListFollowingDeviceID', -200046: 'InvalidIdentifierInListAtEndOfSwitchAction', -200045: 'DeviceRemoved', -200044: 'RoutingPathNotAvailable', -200043: 'RoutingHardwareBusy', -200042: 'RequestedSignalInversionForRoutingNotPossible', -200041: 'InvalidRoutingDestinationTerminalName', -200040: 'InvalidRoutingSourceTerminalName', -200039: 'RoutingNotSupportedForDevice', -200038: 'WaitIsLastInstructionOfLoopInScript', -200037: 'ClearIsLastInstructionOfLoopInScript', -200036: 'InvalidLoopIterationsInScript', -200035: 'RepeatLoopNestingTooDeepInScript', -200034: 'MarkerPositionOutsideSubsetInScript', -200033: 'SubsetStartOffsetNotAlignedInScript', -200032: 'InvalidSubsetLengthInScript', -200031: 'MarkerPositionNotAlignedInScript', -200030: 'SubsetOutsideWaveformInScript', -200029: 'MarkerOutsideWaveformInScript', -200028: 'WaveformInScriptNotInMem', -200027: 'KeywordExpectedInScript', -200026: 'BufferNameExpectedInScript', -200025: 'ProcedureNameExpectedInScript', -200024: 'ScriptHasInvalidIdentifier', -200023: 'ScriptHasInvalidCharacter', -200022: 'ResourceAlreadyReserved', -200020: 'SelfTestFailed', -200019: 'ADCOverrun', -200018: 'DACUnderflow', -200017: 'InputFIFOUnderflow', -200016: 'OutputFIFOUnderflow', -200015: 'SCXISerialCommunication', -200014: 'DigitalTerminalSpecifiedMoreThanOnce', -200012: 'DigitalOutputNotSupported', -200011: 'InconsistentChannelDirections', -200010: 'InputFIFOOverflow', -200009: 'TimeStampOverwritten', -200008: 'StopTriggerHasNotOccurred', -200007: 'RecordNotAvailable', -200006: 'RecordOverwritten', -200005: 'DataNotAvailable', -200004: 'DataOverwrittenInDeviceMemory', -200003: 'DuplicatedChannel', 209800: 'ngReadNotCompleteBeforeSampClk', 209801: 'ngWriteNotCompleteBeforeSampClk', 209802: 'ngWaitForNextSampClkDetectedMissedSampClk', 50100: 'ngPALResourceOwnedBySystem', 50102: 'ngPALResourceNotReserved', 50103: 'ngPALResourceReserved', 50104: 'ngPALResourceNotInitialized', 50105: 'ngPALResourceInitialized', 50106: 'ngPALResourceBusy', 50107: 'ngPALResourceAmbiguous', -50807: 'PALIsocStreamBufferError', -50806: 'PALInvalidAddressComponent', -50805: 'PALSharingViolation', -50804: 'PALInvalidDeviceState', -50803: 'PALConnectionReset', -50802: 'PALConnectionAborted', -50801: 'PALConnectionRefused', -50800: 'PALBusResetOccurred', -50700: 'PALWaitInterrupted', -50651: 'PALMessageUnderflow', -50650: 'PALMessageOverflow', -50604: 'PALThreadAlreadyDead', -50603: 'PALThreadStackSizeNotSupported', -50602: 'PALThreadControllerIsNotThreadCreator', -50601: 'PALThreadHasNoThreadObject', -50600: 'PALThreadCouldNotRun', -50551: 'PALSyncAbandoned', -50550: 'PALSyncTimedOut', -50503: 'PALReceiverSocketInvalid', -50502: 'PALSocketListenerInvalid', -50501: 'PALSocketListenerAlreadyRegistered', -50500: 'PALDispatcherAlreadyExported', -50450: 'PALDMALinkEventMissed', -50413: 'PALBusError', -50412: 'PALRetryLimitExceeded', -50411: 'PALTransferOverread', -50410: 'PALTransferOverwritten', -50409: 'PALPhysicalBufferFull', -50408: 'PALPhysicalBufferEmpty', -50407: 'PALLogicalBufferFull', -50406: 'PALLogicalBufferEmpty', -50405: 'PALTransferAborted', -50404: 'PALTransferStopped', -50403: 'PALTransferInProgress', -50402: 'PALTransferNotInProgress', -50401: 'PALCommunicationsFault', -50400: 'PALTransferTimedOut', -50355: 'PALMemoryHeapNotEmpty', -50354: 'PALMemoryBlockCheckFailed', -50353: 'PALMemoryPageLockFailed', -50352: 'PALMemoryFull', -50351: 'PALMemoryAlignmentFault', -50350: 'PALMemoryConfigurationFault', -50303: 'PALDeviceInitializationFault', -50302: 'PALDeviceNotSupported', -50301: 'PALDeviceUnknown', -50300: 'PALDeviceNotFound', -50265: 'PALFeatureDisabled', -50264: 'PALComponentBusy', -50263: 'PALComponentAlreadyInstalled', -50262: 'PALComponentNotUnloadable', -50261: 'PALComponentNeverLoaded', -50260: 'PALComponentAlreadyLoaded', -50259: 'PALComponentCircularDependency', -50258: 'PALComponentInitializationFault', -50257: 'PALComponentImageCorrupt', -50256: 'PALFeatureNotSupported', -50255: 'PALFunctionNotFound', -50254: 'PALFunctionObsolete', -50253: 'PALComponentTooNew', -50252: 'PALComponentTooOld', -50251: 'PALComponentNotFound', -50250: 'PALVersionMismatch', -50209: 'PALFileFault', -50208: 'PALFileWriteFault', -50207: 'PALFileReadFault', -50206: 'PALFileSeekFault', -50205: 'PALFileCloseFault', -50204: 'PALFileOpenFault', -50203: 'PALDiskFull', -50202: 'PALOSFault', -50201: 'PALOSInitializationFault', -50200: 'PALOSUnsupported', -50175: 'PALCalculationOverflow', -50152: 'PALHardwareFault', -50151: 'PALFirmwareFault', -50150: 'PALSoftwareFault', -50108: 'PALMessageQueueFull', -50107: 'PALResourceAmbiguous', -50106: 'PALResourceBusy', -50105: 'PALResourceInitialized', -50104: 'PALResourceNotInitialized', -50103: 'PALResourceReserved', -50102: 'PALResourceNotReserved', -50101: 'PALResourceNotAvailable', -50100: 'PALResourceOwnedBySystem', -50020: 'PALBadToken', -50019: 'PALBadThreadMultitask', -50018: 'PALBadLibrarySpecifier', -50017: 'PALBadAddressSpace', -50016: 'PALBadWindowType', -50015: 'PALBadAddressClass', -50014: 'PALBadWriteCount', -50013: 'PALBadWriteOffset', -50012: 'PALBadWriteMode', -50011: 'PALBadReadCount', -50010: 'PALBadReadOffset', -50009: 'PALBadReadMode', -50008: 'PALBadCount', -50007: 'PALBadOffset', -50006: 'PALBadMode', -50005: 'PALBadDataSize', -50004: 'PALBadPointer', -50003: 'PALBadSelector', -50002: 'PALBadDevice', -50001: 'PALIrrelevantAttribute', -50000: 'PALValueConflict'}
|
principal=int(input("Enter the Principal amount"))
year=int(input("Enter the no. of Years"))
rateofinterest=int(input("Enter the Rate of Interest. Just enter the number"))
amount=principal*((1+rateofinterest/100)**year)
compoundinterest = amount-principal
print(f"Compound Interest is {compoundinterest} Rupees")
print(f"Amount is {amount} Rupees")
|
principal = int(input('Enter the Principal amount'))
year = int(input('Enter the no. of Years'))
rateofinterest = int(input('Enter the Rate of Interest. Just enter the number'))
amount = principal * (1 + rateofinterest / 100) ** year
compoundinterest = amount - principal
print(f'Compound Interest is {compoundinterest} Rupees')
print(f'Amount is {amount} Rupees')
|
def div42by(divideBy):
return 42 / divideBy
print (div42by(2))
print (div42by(12))
print (div42by(0))
print (div42by(1))
|
def div42by(divideBy):
return 42 / divideBy
print(div42by(2))
print(div42by(12))
print(div42by(0))
print(div42by(1))
|
result = {title: str(i)
for i, titles in DATA.items()
for title in titles}
|
result = {title: str(i) for (i, titles) in DATA.items() for title in titles}
|
INCIDENTS_RESULT = [
{'ModuleName': 'InnerServicesModule', 'Brand': 'Builtin', 'Category': 'Builtin', 'ID': '', 'Version': 0, 'Type': 1,
'Contents': {
'ErrorsPrivateDoNotUse': None, 'data': [
{
'CustomFields': {'dbotpredictionprobability': 0,
'detectionsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 20, 'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'remediationsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 7200,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'timetoassignment': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 0,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'urlsslverification': []}, 'ShardID': 0,
'account': '', 'activated': '0001-01-01T00:00:00Z',
'allRead': False, 'allReadWrite': False, 'attachment': None,
'autime': 1601398110261438200, 'canvases': None,
'category': '', 'closeNotes': '', 'closeReason': '',
'closed': '0001-01-01T00:00:00Z', 'closingUserId': '',
'created': '2020-09-29T16:48:30.261438285Z',
'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None,
'dbotDirtyFields': None, 'dbotMirrorDirection': '',
'dbotMirrorId': '', 'dbotMirrorInstance': '',
'dbotMirrorLastSync': '0001-01-01T00:00:00Z',
'dbotMirrorTags': None, 'details': '', 'droppedCount': 0,
'dueDate': '2020-10-09T16:48:30.261438285Z',
'feedBased': False, 'hasRole': False, 'id': '7',
'investigationId': '7', 'isPlayground': False,
'labels': [{'type': 'Instance', 'value': 'admin'},
{'type': 'Brand', 'value': 'Manual'}],
'lastJobRunTime': '0001-01-01T00:00:00Z',
'lastOpen': '2020-09-30T15:40:11.737120193Z',
'linkedCount': 0, 'linkedIncidents': None,
'modified': '2020-09-30T15:40:36.604919119Z',
'name': 'errors',
'notifyTime': '2020-09-29T16:48:30.436371249Z',
'occurred': '2020-09-29T16:48:30.261438058Z',
'openDuration': 62265, 'owner': '', 'parent': '',
'phase': '', 'playbookId': 'AutoFocusPolling',
'previousAllRead': False, 'previousAllReadWrite': False,
'previousRoles': None, 'rawCategory': '',
'rawCloseReason': '', 'rawJSON': '', 'rawName': 'errors',
'rawPhase': '', 'rawType': 'Unclassified', 'reason': '',
'reminder': '0001-01-01T00:00:00Z', 'roles': None,
'runStatus': 'error', 'severity': 0, 'sla': 0,
'sortValues': ['_score'], 'sourceBrand': 'Manual',
'sourceInstance': 'admin', 'status': 1,
'type': 'Unclassified', 'version': 8}, {
'CustomFields': {'dbotpredictionprobability': 0,
'detectionsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 20,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'integrationscategories': ['Utilities',
'Utilities',
'Utilities',
'Utilities',
'Endpoint',
'Messaging',
'Data Enrichment & Threat Intelligence'],
'integrationsfailedcategories': [
'Data Enrichment & Threat Intelligence',
'Endpoint'],
'numberofentriesiderrors': 0,
'numberoffailedincidents': 0,
'remediationsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 7200,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'timetoassignment': {
'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle', 'sla': 0,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'totalfailedinstances': 2,
'totalgoodinstances': 7,
'totalinstances': 9,
'unassignedincidents': [],
'urlsslverification': []}, 'ShardID': 0,
'account': '', 'activated': '0001-01-01T00:00:00Z',
'allRead': False, 'allReadWrite': False,
'attachment': None, 'autime': 1601388165826470700,
'canvases': None, 'category': '',
'closeNotes': 'Created a new incident type.',
'closeReason': '', 'closed': '0001-01-01T00:00:00Z',
'closingUserId': '',
'created': '2020-09-29T14:02:45.82647067Z',
'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None,
'dbotDirtyFields': None, 'dbotMirrorDirection': '',
'dbotMirrorId': '', 'dbotMirrorInstance': '',
'dbotMirrorLastSync': '0001-01-01T00:00:00Z',
'dbotMirrorTags': None, 'details': '', 'droppedCount': 0,
'dueDate': '0001-01-01T00:00:00Z', 'feedBased': False,
'hasRole': False, 'id': '3', 'investigationId': '3',
'isPlayground': False,
'labels': [{'type': 'Instance', 'value': 'admin'},
{'type': 'Brand', 'value': 'Manual'}],
'lastJobRunTime': '0001-01-01T00:00:00Z',
'lastOpen': '2020-09-30T15:40:48.618174584Z',
'linkedCount': 0, 'linkedIncidents': None,
'modified': '2020-09-30T15:41:15.184226213Z',
'name': 'Incident with error',
'notifyTime': '2020-09-29T14:09:06.048819578Z',
'occurred': '2020-09-29T14:02:45.826470478Z',
'openDuration': 686, 'owner': 'admin', 'parent': '',
'phase': '',
'playbookId': 'JOB - Integrations and Playbooks Health Check',
'previousAllRead': False, 'previousAllReadWrite': False,
'previousRoles': None, 'rawCategory': '',
'rawCloseReason': '', 'rawJSON': '',
'rawName': 'Incident with error', 'rawPhase': '',
'rawType': 'testing', 'reason': '',
'reminder': '0001-01-01T00:00:00Z', 'roles': None,
'runStatus': 'error', 'severity': 0, 'sla': 0,
'sortValues': ['_score'], 'sourceBrand': 'Manual',
'sourceInstance': 'admin', 'status': 1, 'type': 'testing',
'version': 13}, {
'CustomFields': {'dbotpredictionprobability': 0,
'detectionsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 20,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'remediationsla': {'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle',
'sla': 7200,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'sourceusername': 'JohnJoe',
'timetoassignment': {
'accumulatedPause': 0,
'breachTriggered': False,
'dueDate': '0001-01-01T00:00:00Z',
'endDate': '0001-01-01T00:00:00Z',
'lastPauseDate': '0001-01-01T00:00:00Z',
'runStatus': 'idle', 'sla': 0,
'slaStatus': -1,
'startDate': '0001-01-01T00:00:00Z',
'totalDuration': 0},
'urlsslverification': []}, 'ShardID': 0,
'account': '', 'activated': '0001-01-01T00:00:00Z',
'allRead': False, 'allReadWrite': False,
'attachment': None, 'autime': 1601480646930752000,
'canvases': None, 'category': '', 'closeNotes': '',
'closeReason': '', 'closed': '0001-01-01T00:00:00Z',
'closingUserId': '',
'created': '2020-09-30T15:44:06.930751906Z',
'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None,
'dbotDirtyFields': None, 'dbotMirrorDirection': '',
'dbotMirrorId': '', 'dbotMirrorInstance': '',
'dbotMirrorLastSync': '0001-01-01T00:00:00Z',
'dbotMirrorTags': None, 'details': '', 'droppedCount': 0,
'dueDate': '2020-10-10T15:44:06.930751906Z',
'feedBased': False, 'hasRole': False, 'id': '48',
'investigationId': '48', 'isPlayground': False,
'labels': [{'type': 'Instance', 'value': 'admin'},
{'type': 'Brand', 'value': 'Manual'}],
'lastJobRunTime': '0001-01-01T00:00:00Z',
'lastOpen': '0001-01-01T00:00:00Z', 'linkedCount': 0,
'linkedIncidents': None,
'modified': '2020-09-30T15:46:35.843037049Z',
'name': 'Multiple Failed Logins',
'notifyTime': '2020-09-30T15:46:35.836929058Z',
'occurred': '2020-09-30T15:44:06.930751702Z',
'openDuration': 0, 'owner': 'admin', 'parent': '',
'phase': '',
'playbookId': 'Account Enrichment - Generic v2.1',
'previousAllRead': False, 'previousAllReadWrite': False,
'previousRoles': None, 'rawCategory': '',
'rawCloseReason': '', 'rawJSON': '',
'rawName': 'Multiple Failed Logins', 'rawPhase': '',
'rawType': 'Unclassified', 'reason': '',
'reminder': '0001-01-01T00:00:00Z', 'roles': None,
'runStatus': 'error', 'severity': 1, 'sla': 0,
'sortValues': ['_score'], 'sourceBrand': 'Manual',
'sourceInstance': 'admin', 'status': 1,
'type': 'Unclassified', 'version': 10}], 'total': 3},
'HumanReadable': None, 'ImportantEntryContext': None, 'EntryContext': None, 'IgnoreAutoExtract': False,
'ReadableContentsFormat': '', 'ContentsFormat': 'json', 'File': '', 'FileID': '', 'FileMetadata': None,
'System': '', 'Note': False, 'Evidence': False, 'EvidenceID': '', 'Tags': None,
'Metadata': {'id': '', 'version': 0, 'modified': '0001-01-01T00:00:00Z', 'sortValues': None, 'roles': None,
'allRead': False, 'allReadWrite': False, 'previousRoles': None, 'previousAllRead': False,
'previousAllReadWrite': False, 'hasRole': False, 'dbotCreatedBy': '', 'ShardID': 0, 'type': 1,
'created': '2020-10-03T12:39:59.908094336Z', 'retryTime': '0001-01-01T00:00:00Z', 'user': '',
'errorSource': '', 'contents': '', 'format': 'json', 'investigationId': '51', 'file': '',
'fileID': '', 'parentId': '156@51', 'pinned': False, 'fileMetadata': None,
'parentContent': '!getIncidents page="0" query="-status:closed and runStatus:error"',
'parentEntryTruncated': False, 'system': '', 'reputations': None, 'category': '', 'note': False,
'isTodo': False, 'tags': None, 'tagsRaw': None, 'startDate': '0001-01-01T00:00:00Z', 'times': 0,
'recurrent': False, 'endingDate': '0001-01-01T00:00:00Z', 'timezoneOffset': 0, 'cronView': False,
'scheduled': False, 'entryTask': None, 'taskId': '', 'playbookId': '', 'reputationSize': 0,
'contentsSize': 0, 'brand': 'Builtin', 'instance': 'Builtin', 'IndicatorTimeline': None,
'mirrored': False}, 'IndicatorTimeline': None}]
TASKS_RESULT = [
{'ModuleName': 'Demisto REST API_instance_1', 'Brand': 'Demisto REST API', 'Category': 'Utilities', 'ID': '',
'Version': 0, 'Type': 1, 'Contents': {'response': [{'ancestors': ['AutoFocusPolling'],
'arguments': {'additionalPollingCommandArgNames': '',
'additionalPollingCommandArgValues': '',
'ids': '', 'pollingCommand': '',
'pollingCommandArgName': 'ids'},
'comments': False, 'completedBy': 'DBot',
'completedDate': '2020-09-29T16:48:30.427891714Z',
'doNotSaveTaskHistory': True,
'dueDate': '0001-01-01T00:00:00Z', 'dueDateDuration': 0,
'entries': ['4@7', '5@7'],
'evidenceData': {'description': None, 'occurred': None,
'tags': None}, 'forEachIndex': 0,
'forEachInputs': None, 'id': '3', 'indent': 0,
'nextTasks': {'#none#': ['1']}, 'note': False, 'outputs': {},
'playbookInputs': None, 'previousTasks': {'#none#': ['0']},
'quietMode': 2, 'reputationCalc': 0,
'restrictedCompletion': False, 'scriptArguments': {
'additionalPollingCommandArgNames': {'complex': None,
'simple': '${inputs.AdditionalPollingCommandArgNames}'},
'additionalPollingCommandArgValues': {'complex': None,
'simple': '${inputs.AdditionalPollingCommandArgValues}'},
'ids': {'complex': None, 'simple': '${inputs.Ids}'},
'pollingCommand': {'complex': None, 'simple': '${inputs.PollingCommandName}'},
'pollingCommandArgName': {'complex': None, 'simple': '${inputs.PollingCommandArgName}'}},
'separateContext': False,
'startDate': '2020-09-29T16:48:30.324811804Z',
'state': 'Error', 'task': {
'brand': '', 'conditions': None,
'description': 'RunPollingCommand',
'id': 'c6a3af0a-cc78-4323-80c1-93d686010d86',
'isCommand': False,
'isLocked': False,
'modified': '2020-09-29T08:23:25.596407031Z',
'name': 'RunPollingCommand',
'playbookName': '',
'scriptId': 'RunPollingCommand',
'sortValues': None,
'type': 'regular', 'version': 1},
'taskCompleteData': [],
'taskId': 'c6a3af0a-cc78-4323-80c1-93d686010d86',
'type': 'regular',
'view': {'position': {'x': 50, 'y': 195}}}]},
'HumanReadable': None, 'ImportantEntryContext': None, 'EntryContext': None, 'IgnoreAutoExtract': False,
'ReadableContentsFormat': '', 'ContentsFormat': 'json', 'File': '', 'FileID': '', 'FileMetadata': None,
'System': '', 'Note': False, 'Evidence': False, 'EvidenceID': '', 'Tags': None,
'Metadata': {
'id': '', 'version': 0, 'modified': '0001-01-01T00:00:00Z', 'sortValues': None, 'roles': None,
'allRead': False, 'allReadWrite': False, 'previousRoles': None, 'previousAllRead': False,
'previousAllReadWrite': False, 'hasRole': False, 'dbotCreatedBy': '', 'ShardID': 0, 'type': 1,
'created': '2020-10-03T12:43:23.006018275Z', 'retryTime': '0001-01-01T00:00:00Z', 'user': '',
'errorSource': '', 'contents': '', 'format': 'json', 'investigationId': '51', 'file': '',
'fileID': '', 'parentId': '158@51', 'pinned': False, 'fileMetadata': None,
'parentContent': '!demisto-api-post uri="investigation/7/workplan/tasks" body='
'"{\\"states\\":[\\"Error\\"],\\"types\\":[\\"regular\\",\\"condition\\",\\"collection\\"]}"',
'parentEntryTruncated': False, 'system': '', 'reputations': None, 'category': '', 'note': False,
'isTodo': False, 'tags': None, 'tagsRaw': None, 'startDate': '0001-01-01T00:00:00Z', 'times': 0,
'recurrent': False, 'endingDate': '0001-01-01T00:00:00Z', 'timezoneOffset': 0, 'cronView': False,
'scheduled': False, 'entryTask': None, 'taskId': '', 'playbookId': '', 'reputationSize': 0,
'contentsSize': 0, 'brand': 'Demisto REST API', 'instance': 'Demisto REST API_instance_1',
'IndicatorTimeline': None, 'mirrored': False}, 'IndicatorTimeline': None}]
SERVER_URL = [{'ModuleName': 'CustomScripts',
'Brand': 'Scripts',
'Category': 'automation',
'ID': '', 'Version': 0,
'Type': 1,
'Contents': 'https://ec2-11-123-11-22.eu-west-1.compute.amazonaws.com//acc_test',
'HumanReadable': 'https://ec2-11-123-11-22.eu-west-1.compute.amazonaws.com//acc_test'}]
|
incidents_result = [{'ModuleName': 'InnerServicesModule', 'Brand': 'Builtin', 'Category': 'Builtin', 'ID': '', 'Version': 0, 'Type': 1, 'Contents': {'ErrorsPrivateDoNotUse': None, 'data': [{'CustomFields': {'dbotpredictionprobability': 0, 'detectionsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 20, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'remediationsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 7200, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'timetoassignment': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 0, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'urlsslverification': []}, 'ShardID': 0, 'account': '', 'activated': '0001-01-01T00:00:00Z', 'allRead': False, 'allReadWrite': False, 'attachment': None, 'autime': 1601398110261438200, 'canvases': None, 'category': '', 'closeNotes': '', 'closeReason': '', 'closed': '0001-01-01T00:00:00Z', 'closingUserId': '', 'created': '2020-09-29T16:48:30.261438285Z', 'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None, 'dbotDirtyFields': None, 'dbotMirrorDirection': '', 'dbotMirrorId': '', 'dbotMirrorInstance': '', 'dbotMirrorLastSync': '0001-01-01T00:00:00Z', 'dbotMirrorTags': None, 'details': '', 'droppedCount': 0, 'dueDate': '2020-10-09T16:48:30.261438285Z', 'feedBased': False, 'hasRole': False, 'id': '7', 'investigationId': '7', 'isPlayground': False, 'labels': [{'type': 'Instance', 'value': 'admin'}, {'type': 'Brand', 'value': 'Manual'}], 'lastJobRunTime': '0001-01-01T00:00:00Z', 'lastOpen': '2020-09-30T15:40:11.737120193Z', 'linkedCount': 0, 'linkedIncidents': None, 'modified': '2020-09-30T15:40:36.604919119Z', 'name': 'errors', 'notifyTime': '2020-09-29T16:48:30.436371249Z', 'occurred': '2020-09-29T16:48:30.261438058Z', 'openDuration': 62265, 'owner': '', 'parent': '', 'phase': '', 'playbookId': 'AutoFocusPolling', 'previousAllRead': False, 'previousAllReadWrite': False, 'previousRoles': None, 'rawCategory': '', 'rawCloseReason': '', 'rawJSON': '', 'rawName': 'errors', 'rawPhase': '', 'rawType': 'Unclassified', 'reason': '', 'reminder': '0001-01-01T00:00:00Z', 'roles': None, 'runStatus': 'error', 'severity': 0, 'sla': 0, 'sortValues': ['_score'], 'sourceBrand': 'Manual', 'sourceInstance': 'admin', 'status': 1, 'type': 'Unclassified', 'version': 8}, {'CustomFields': {'dbotpredictionprobability': 0, 'detectionsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 20, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'integrationscategories': ['Utilities', 'Utilities', 'Utilities', 'Utilities', 'Endpoint', 'Messaging', 'Data Enrichment & Threat Intelligence'], 'integrationsfailedcategories': ['Data Enrichment & Threat Intelligence', 'Endpoint'], 'numberofentriesiderrors': 0, 'numberoffailedincidents': 0, 'remediationsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 7200, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'timetoassignment': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 0, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'totalfailedinstances': 2, 'totalgoodinstances': 7, 'totalinstances': 9, 'unassignedincidents': [], 'urlsslverification': []}, 'ShardID': 0, 'account': '', 'activated': '0001-01-01T00:00:00Z', 'allRead': False, 'allReadWrite': False, 'attachment': None, 'autime': 1601388165826470700, 'canvases': None, 'category': '', 'closeNotes': 'Created a new incident type.', 'closeReason': '', 'closed': '0001-01-01T00:00:00Z', 'closingUserId': '', 'created': '2020-09-29T14:02:45.82647067Z', 'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None, 'dbotDirtyFields': None, 'dbotMirrorDirection': '', 'dbotMirrorId': '', 'dbotMirrorInstance': '', 'dbotMirrorLastSync': '0001-01-01T00:00:00Z', 'dbotMirrorTags': None, 'details': '', 'droppedCount': 0, 'dueDate': '0001-01-01T00:00:00Z', 'feedBased': False, 'hasRole': False, 'id': '3', 'investigationId': '3', 'isPlayground': False, 'labels': [{'type': 'Instance', 'value': 'admin'}, {'type': 'Brand', 'value': 'Manual'}], 'lastJobRunTime': '0001-01-01T00:00:00Z', 'lastOpen': '2020-09-30T15:40:48.618174584Z', 'linkedCount': 0, 'linkedIncidents': None, 'modified': '2020-09-30T15:41:15.184226213Z', 'name': 'Incident with error', 'notifyTime': '2020-09-29T14:09:06.048819578Z', 'occurred': '2020-09-29T14:02:45.826470478Z', 'openDuration': 686, 'owner': 'admin', 'parent': '', 'phase': '', 'playbookId': 'JOB - Integrations and Playbooks Health Check', 'previousAllRead': False, 'previousAllReadWrite': False, 'previousRoles': None, 'rawCategory': '', 'rawCloseReason': '', 'rawJSON': '', 'rawName': 'Incident with error', 'rawPhase': '', 'rawType': 'testing', 'reason': '', 'reminder': '0001-01-01T00:00:00Z', 'roles': None, 'runStatus': 'error', 'severity': 0, 'sla': 0, 'sortValues': ['_score'], 'sourceBrand': 'Manual', 'sourceInstance': 'admin', 'status': 1, 'type': 'testing', 'version': 13}, {'CustomFields': {'dbotpredictionprobability': 0, 'detectionsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 20, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'remediationsla': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 7200, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'sourceusername': 'JohnJoe', 'timetoassignment': {'accumulatedPause': 0, 'breachTriggered': False, 'dueDate': '0001-01-01T00:00:00Z', 'endDate': '0001-01-01T00:00:00Z', 'lastPauseDate': '0001-01-01T00:00:00Z', 'runStatus': 'idle', 'sla': 0, 'slaStatus': -1, 'startDate': '0001-01-01T00:00:00Z', 'totalDuration': 0}, 'urlsslverification': []}, 'ShardID': 0, 'account': '', 'activated': '0001-01-01T00:00:00Z', 'allRead': False, 'allReadWrite': False, 'attachment': None, 'autime': 1601480646930752000, 'canvases': None, 'category': '', 'closeNotes': '', 'closeReason': '', 'closed': '0001-01-01T00:00:00Z', 'closingUserId': '', 'created': '2020-09-30T15:44:06.930751906Z', 'dbotCreatedBy': 'admin', 'dbotCurrentDirtyFields': None, 'dbotDirtyFields': None, 'dbotMirrorDirection': '', 'dbotMirrorId': '', 'dbotMirrorInstance': '', 'dbotMirrorLastSync': '0001-01-01T00:00:00Z', 'dbotMirrorTags': None, 'details': '', 'droppedCount': 0, 'dueDate': '2020-10-10T15:44:06.930751906Z', 'feedBased': False, 'hasRole': False, 'id': '48', 'investigationId': '48', 'isPlayground': False, 'labels': [{'type': 'Instance', 'value': 'admin'}, {'type': 'Brand', 'value': 'Manual'}], 'lastJobRunTime': '0001-01-01T00:00:00Z', 'lastOpen': '0001-01-01T00:00:00Z', 'linkedCount': 0, 'linkedIncidents': None, 'modified': '2020-09-30T15:46:35.843037049Z', 'name': 'Multiple Failed Logins', 'notifyTime': '2020-09-30T15:46:35.836929058Z', 'occurred': '2020-09-30T15:44:06.930751702Z', 'openDuration': 0, 'owner': 'admin', 'parent': '', 'phase': '', 'playbookId': 'Account Enrichment - Generic v2.1', 'previousAllRead': False, 'previousAllReadWrite': False, 'previousRoles': None, 'rawCategory': '', 'rawCloseReason': '', 'rawJSON': '', 'rawName': 'Multiple Failed Logins', 'rawPhase': '', 'rawType': 'Unclassified', 'reason': '', 'reminder': '0001-01-01T00:00:00Z', 'roles': None, 'runStatus': 'error', 'severity': 1, 'sla': 0, 'sortValues': ['_score'], 'sourceBrand': 'Manual', 'sourceInstance': 'admin', 'status': 1, 'type': 'Unclassified', 'version': 10}], 'total': 3}, 'HumanReadable': None, 'ImportantEntryContext': None, 'EntryContext': None, 'IgnoreAutoExtract': False, 'ReadableContentsFormat': '', 'ContentsFormat': 'json', 'File': '', 'FileID': '', 'FileMetadata': None, 'System': '', 'Note': False, 'Evidence': False, 'EvidenceID': '', 'Tags': None, 'Metadata': {'id': '', 'version': 0, 'modified': '0001-01-01T00:00:00Z', 'sortValues': None, 'roles': None, 'allRead': False, 'allReadWrite': False, 'previousRoles': None, 'previousAllRead': False, 'previousAllReadWrite': False, 'hasRole': False, 'dbotCreatedBy': '', 'ShardID': 0, 'type': 1, 'created': '2020-10-03T12:39:59.908094336Z', 'retryTime': '0001-01-01T00:00:00Z', 'user': '', 'errorSource': '', 'contents': '', 'format': 'json', 'investigationId': '51', 'file': '', 'fileID': '', 'parentId': '156@51', 'pinned': False, 'fileMetadata': None, 'parentContent': '!getIncidents page="0" query="-status:closed and runStatus:error"', 'parentEntryTruncated': False, 'system': '', 'reputations': None, 'category': '', 'note': False, 'isTodo': False, 'tags': None, 'tagsRaw': None, 'startDate': '0001-01-01T00:00:00Z', 'times': 0, 'recurrent': False, 'endingDate': '0001-01-01T00:00:00Z', 'timezoneOffset': 0, 'cronView': False, 'scheduled': False, 'entryTask': None, 'taskId': '', 'playbookId': '', 'reputationSize': 0, 'contentsSize': 0, 'brand': 'Builtin', 'instance': 'Builtin', 'IndicatorTimeline': None, 'mirrored': False}, 'IndicatorTimeline': None}]
tasks_result = [{'ModuleName': 'Demisto REST API_instance_1', 'Brand': 'Demisto REST API', 'Category': 'Utilities', 'ID': '', 'Version': 0, 'Type': 1, 'Contents': {'response': [{'ancestors': ['AutoFocusPolling'], 'arguments': {'additionalPollingCommandArgNames': '', 'additionalPollingCommandArgValues': '', 'ids': '', 'pollingCommand': '', 'pollingCommandArgName': 'ids'}, 'comments': False, 'completedBy': 'DBot', 'completedDate': '2020-09-29T16:48:30.427891714Z', 'doNotSaveTaskHistory': True, 'dueDate': '0001-01-01T00:00:00Z', 'dueDateDuration': 0, 'entries': ['4@7', '5@7'], 'evidenceData': {'description': None, 'occurred': None, 'tags': None}, 'forEachIndex': 0, 'forEachInputs': None, 'id': '3', 'indent': 0, 'nextTasks': {'#none#': ['1']}, 'note': False, 'outputs': {}, 'playbookInputs': None, 'previousTasks': {'#none#': ['0']}, 'quietMode': 2, 'reputationCalc': 0, 'restrictedCompletion': False, 'scriptArguments': {'additionalPollingCommandArgNames': {'complex': None, 'simple': '${inputs.AdditionalPollingCommandArgNames}'}, 'additionalPollingCommandArgValues': {'complex': None, 'simple': '${inputs.AdditionalPollingCommandArgValues}'}, 'ids': {'complex': None, 'simple': '${inputs.Ids}'}, 'pollingCommand': {'complex': None, 'simple': '${inputs.PollingCommandName}'}, 'pollingCommandArgName': {'complex': None, 'simple': '${inputs.PollingCommandArgName}'}}, 'separateContext': False, 'startDate': '2020-09-29T16:48:30.324811804Z', 'state': 'Error', 'task': {'brand': '', 'conditions': None, 'description': 'RunPollingCommand', 'id': 'c6a3af0a-cc78-4323-80c1-93d686010d86', 'isCommand': False, 'isLocked': False, 'modified': '2020-09-29T08:23:25.596407031Z', 'name': 'RunPollingCommand', 'playbookName': '', 'scriptId': 'RunPollingCommand', 'sortValues': None, 'type': 'regular', 'version': 1}, 'taskCompleteData': [], 'taskId': 'c6a3af0a-cc78-4323-80c1-93d686010d86', 'type': 'regular', 'view': {'position': {'x': 50, 'y': 195}}}]}, 'HumanReadable': None, 'ImportantEntryContext': None, 'EntryContext': None, 'IgnoreAutoExtract': False, 'ReadableContentsFormat': '', 'ContentsFormat': 'json', 'File': '', 'FileID': '', 'FileMetadata': None, 'System': '', 'Note': False, 'Evidence': False, 'EvidenceID': '', 'Tags': None, 'Metadata': {'id': '', 'version': 0, 'modified': '0001-01-01T00:00:00Z', 'sortValues': None, 'roles': None, 'allRead': False, 'allReadWrite': False, 'previousRoles': None, 'previousAllRead': False, 'previousAllReadWrite': False, 'hasRole': False, 'dbotCreatedBy': '', 'ShardID': 0, 'type': 1, 'created': '2020-10-03T12:43:23.006018275Z', 'retryTime': '0001-01-01T00:00:00Z', 'user': '', 'errorSource': '', 'contents': '', 'format': 'json', 'investigationId': '51', 'file': '', 'fileID': '', 'parentId': '158@51', 'pinned': False, 'fileMetadata': None, 'parentContent': '!demisto-api-post uri="investigation/7/workplan/tasks" body="{\\"states\\":[\\"Error\\"],\\"types\\":[\\"regular\\",\\"condition\\",\\"collection\\"]}"', 'parentEntryTruncated': False, 'system': '', 'reputations': None, 'category': '', 'note': False, 'isTodo': False, 'tags': None, 'tagsRaw': None, 'startDate': '0001-01-01T00:00:00Z', 'times': 0, 'recurrent': False, 'endingDate': '0001-01-01T00:00:00Z', 'timezoneOffset': 0, 'cronView': False, 'scheduled': False, 'entryTask': None, 'taskId': '', 'playbookId': '', 'reputationSize': 0, 'contentsSize': 0, 'brand': 'Demisto REST API', 'instance': 'Demisto REST API_instance_1', 'IndicatorTimeline': None, 'mirrored': False}, 'IndicatorTimeline': None}]
server_url = [{'ModuleName': 'CustomScripts', 'Brand': 'Scripts', 'Category': 'automation', 'ID': '', 'Version': 0, 'Type': 1, 'Contents': 'https://ec2-11-123-11-22.eu-west-1.compute.amazonaws.com//acc_test', 'HumanReadable': 'https://ec2-11-123-11-22.eu-west-1.compute.amazonaws.com//acc_test'}]
|
class Event:
def __init__(self, label=None, half=None, time=None, team=None, position= None, visibility=None):
self.label = label
self.half = half
self.time = time
self.team = team
self.position = position
self.visibility = visibility
def to_text(self):
return self.time + " || " + self.label + " - " + self.team + " - " + str(self.half) + " - " + str(self.visibility)
def __lt__(self, other):
self.position < other.position
class Camera:
def __init__(self, label=None, half=None, time=None, change_type=None, position= None, replay=None, link=None):
self.label = label
self.half = half
self.time = time
self.change_type = change_type
self.position = position
self.replay = replay
self.link = link
def to_text(self):
if self.link is None:
return self.time + " || " + self.label + " - " + self.change_type + " - " + str(self.half) + " - " + str(self.replay)
else:
return self.time + " || " + self.label + " - " + self.change_type + " - " + str(self.half) + " - " + str(self.replay) + "\n<--" + self.link.to_text()
def __lt__(self, other):
self.position < other.position
def ms_to_time(position):
minutes = int(position//1000)//60
seconds = int(position//1000)%60
return str(minutes).zfill(2) + ":" + str(seconds).zfill(2)
|
class Event:
def __init__(self, label=None, half=None, time=None, team=None, position=None, visibility=None):
self.label = label
self.half = half
self.time = time
self.team = team
self.position = position
self.visibility = visibility
def to_text(self):
return self.time + ' || ' + self.label + ' - ' + self.team + ' - ' + str(self.half) + ' - ' + str(self.visibility)
def __lt__(self, other):
self.position < other.position
class Camera:
def __init__(self, label=None, half=None, time=None, change_type=None, position=None, replay=None, link=None):
self.label = label
self.half = half
self.time = time
self.change_type = change_type
self.position = position
self.replay = replay
self.link = link
def to_text(self):
if self.link is None:
return self.time + ' || ' + self.label + ' - ' + self.change_type + ' - ' + str(self.half) + ' - ' + str(self.replay)
else:
return self.time + ' || ' + self.label + ' - ' + self.change_type + ' - ' + str(self.half) + ' - ' + str(self.replay) + '\n<--' + self.link.to_text()
def __lt__(self, other):
self.position < other.position
def ms_to_time(position):
minutes = int(position // 1000) // 60
seconds = int(position // 1000) % 60
return str(minutes).zfill(2) + ':' + str(seconds).zfill(2)
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.