content
stringlengths 7
1.05M
| fixed_cases
stringlengths 1
1.28M
|
|---|---|
__all__ = [
'cyclic',
'dep_expander',
'dep_manager',
'logger',
'package_filter',
'package',
'parse_input',
'sat_solver_satispy',
'topo_packages',
'util'
]
|
__all__ = ['cyclic', 'dep_expander', 'dep_manager', 'logger', 'package_filter', 'package', 'parse_input', 'sat_solver_satispy', 'topo_packages', 'util']
|
i = 1
while i != 0:
i = int(input())
if i > 100:
break
elif i < 10:
continue
else:
print(i)
|
i = 1
while i != 0:
i = int(input())
if i > 100:
break
elif i < 10:
continue
else:
print(i)
|
n = int(input())
for i in range(n):
dias = 0
valor = float(input())
while valor>1:
valor = valor/2
dias += 1
print(dias, "dias")
|
n = int(input())
for i in range(n):
dias = 0
valor = float(input())
while valor > 1:
valor = valor / 2
dias += 1
print(dias, 'dias')
|
# -*- coding: utf-8 -*-
"""
plastiqpublicapi
This file was automatically generated by APIMATIC v3.0 (
https://www.apimatic.io ).
"""
class ClientSecretsResponse(object):
"""Implementation of the 'Client Secrets Response' model.
TODO: type model description here.
Attributes:
client_secret (string): Client Secret returned by /client-secrets
"""
# Create a mapping from Model property names to API property names
_names = {
"client_secret": 'clientSecret'
}
def __init__(self,
client_secret=None):
"""Constructor for the ClientSecretsResponse class"""
# Initialize members of the class
self.client_secret = client_secret
@classmethod
def from_dictionary(cls,
dictionary):
"""Creates an instance of this model from a dictionary
Args:
dictionary (dictionary): A dictionary representation of the object
as obtained from the deserialization of the server's response. The
keys MUST match property names in the API description.
Returns:
object: An instance of this structure class.
"""
if dictionary is None:
return None
# Extract variables from the dictionary
client_secret = dictionary.get('clientSecret')
# Return an object of this model
return cls(client_secret)
|
"""
plastiqpublicapi
This file was automatically generated by APIMATIC v3.0 (
https://www.apimatic.io ).
"""
class Clientsecretsresponse(object):
"""Implementation of the 'Client Secrets Response' model.
TODO: type model description here.
Attributes:
client_secret (string): Client Secret returned by /client-secrets
"""
_names = {'client_secret': 'clientSecret'}
def __init__(self, client_secret=None):
"""Constructor for the ClientSecretsResponse class"""
self.client_secret = client_secret
@classmethod
def from_dictionary(cls, dictionary):
"""Creates an instance of this model from a dictionary
Args:
dictionary (dictionary): A dictionary representation of the object
as obtained from the deserialization of the server's response. The
keys MUST match property names in the API description.
Returns:
object: An instance of this structure class.
"""
if dictionary is None:
return None
client_secret = dictionary.get('clientSecret')
return cls(client_secret)
|
n = int(input())
s = str(input())
removal = 0
counter = 0
for x in s:
if x != 'x':
if counter >= 3:
removal += counter - 2
counter = 0
elif x == 'x':
counter += 1
if counter >= 3:
removal += counter - 2
print(removal)
|
n = int(input())
s = str(input())
removal = 0
counter = 0
for x in s:
if x != 'x':
if counter >= 3:
removal += counter - 2
counter = 0
elif x == 'x':
counter += 1
if counter >= 3:
removal += counter - 2
print(removal)
|
class MojUser:
"""
Authenticated user, similar to the Django one.
The built-in Django `AbstractBaseUser` sadly depends on a few tables and
cannot be used without a datbase so we had to create a custom one.
"""
def __init__(self, pk, token, user_data):
self.pk = pk
self.is_active = True
self.token = token
self.user_data = user_data
def save(self, *args, **kwargs):
pass
@property
def is_anonymous(self):
return False
@property
def is_authenticated(self):
return True
def get_all_permissions(self, obj=None):
return self.user_data.get('permissions', [])
def has_perm(self, perm, obj=None):
return perm in self.user_data.get('permissions', [])
def has_perms(self, perm_list, obj=None):
return all(
[perm in self.user_data.get('permissions', []) for perm in perm_list]
)
@property
def username(self):
return self.user_data.get('username')
@property
def email(self):
return self.user_data.get('email')
def get_full_name(self):
if not hasattr(self, '_full_name'):
name_parts = [
self.user_data.get('first_name'),
self.user_data.get('last_name')
]
self._full_name = ' '.join(filter(None, name_parts))
return self._full_name
def get_initials(self):
if self.get_full_name():
return ''.join(
filter(
None,
map(lambda name: name[0].upper() if name else None,
self.get_full_name().split(' '))
)
)
class MojAnonymousUser:
"""
Anonymous non-authenticated user, similar to the Django one.
The built-in Django `AnonymousUser` sadly depends on a few tables and
gives several warnings when used without a database so we had to create a
custom one.
"""
pk = None
is_active = False
token = None
user_data = {}
username = ''
email = ''
def get_full_name(self):
return ''
@property
def is_anonymous(self):
return True
@property
def is_authenticated(self):
return False
def get_all_permissions(self, obj=None):
return []
def has_perm(self, perm, obj=None):
return False
def has_perms(self, perm_list, obj=None):
return False
|
class Mojuser:
"""
Authenticated user, similar to the Django one.
The built-in Django `AbstractBaseUser` sadly depends on a few tables and
cannot be used without a datbase so we had to create a custom one.
"""
def __init__(self, pk, token, user_data):
self.pk = pk
self.is_active = True
self.token = token
self.user_data = user_data
def save(self, *args, **kwargs):
pass
@property
def is_anonymous(self):
return False
@property
def is_authenticated(self):
return True
def get_all_permissions(self, obj=None):
return self.user_data.get('permissions', [])
def has_perm(self, perm, obj=None):
return perm in self.user_data.get('permissions', [])
def has_perms(self, perm_list, obj=None):
return all([perm in self.user_data.get('permissions', []) for perm in perm_list])
@property
def username(self):
return self.user_data.get('username')
@property
def email(self):
return self.user_data.get('email')
def get_full_name(self):
if not hasattr(self, '_full_name'):
name_parts = [self.user_data.get('first_name'), self.user_data.get('last_name')]
self._full_name = ' '.join(filter(None, name_parts))
return self._full_name
def get_initials(self):
if self.get_full_name():
return ''.join(filter(None, map(lambda name: name[0].upper() if name else None, self.get_full_name().split(' '))))
class Mojanonymoususer:
"""
Anonymous non-authenticated user, similar to the Django one.
The built-in Django `AnonymousUser` sadly depends on a few tables and
gives several warnings when used without a database so we had to create a
custom one.
"""
pk = None
is_active = False
token = None
user_data = {}
username = ''
email = ''
def get_full_name(self):
return ''
@property
def is_anonymous(self):
return True
@property
def is_authenticated(self):
return False
def get_all_permissions(self, obj=None):
return []
def has_perm(self, perm, obj=None):
return False
def has_perms(self, perm_list, obj=None):
return False
|
"""Create a Character Generator for Fallout 4."""
# print("You awake from 200 years in deep freeze. The wasteland awaits you.")
# name = input("What's your name? ")
# gender = input("What's your gender? ")
# points = 21
# attributes = ("Strength", "Perception", "Endurance", "Charisma", "Intelligence", "Agility", "Luck")
# strength = 1
# perception = 1
# endurance = 1
# charisma = 1
# intelligence = 1
# agility = 1
# luck = 1
# while True:
# print
# print("You have ", points, "points left.")
# print(
# """
# 1 - add points
# 2 - remove points
# 3 - see points per attribute
# 4 - exit
# """)
# choice = input("choice: ").upper()
# if choice == "1":
# attribute = input("which attribute? S. P. E. C. I. A. L.?")
# if attribute in attributes:
# add = int(input("How many points? "))
# if add <= points and add > 0:
# if attribute == "S" or attribute == "s":
# strength += add
# print(name, "now has ", strength, "strength points.")
# elif attribute == "P":
# perception += add
# print(name, "now has ", perception, "perception points.")
# elif attribute == "E":
# endurance += add
# print(name, "now has ", endurance, "endurance points.")
# elif attribute == "C":
# charisma += add
# print(name, "now has ", charisma, "charisma points.")
# elif attribute == "I":
# intelligence += add
# print(name, "now has ", intelligence, "intelligence points.")
# elif attribute == "A":
# agility += add
# print(name, "now has ", agility, "agility points.")
# elif attribute == "L":
# luck += add
# print(name, "now has ", luck, "luck points.")
# points -= add
# else:
# print("Invalid attribute. You are likely to be eaten by a Grue.")
# elif choice == "2":
# if attribute in attributes:
# remove = int(input("How many points? "))
# # if remove <= points and remove > 0:
# if attribute == "S" or attribute == "s" and remove <= strength and remove > 1:
# strength -= remove
# print(name, "now has ", strength, "strength points.")
# points += remove
# elif attribute == "P" and remove <= strength and remove > 1:
# perception -= remove
# print(name, "now has ", perception, "perception points.")
# points += remove
# elif attribute == "E" and remove <= strength and remove > 1:
# endurance -= remove
# print(name, "now has ", endurance, "endurance points.")
# points += remove
# elif attribute == "C" and remove <= strength and remove > 1:
# charisma -= remove
# print(name, "now has ", charisma, "charisma points.")
# points += remove
# elif attribute == "I" and remove <= strength and remove > 1:
# intelligence -= remove
# print(name, "now has ", intelligence, "intelligence points.")
# points += remove
# elif attribute == "A" and remove <= strength and remove > 1:
# agility -= remove
# print(name, "now has ", agility, "agility points.")
# points += remove
# elif attribute == "L" and remove <= strength and remove > 1:
# luck -= remove
# print(name, "now has ", luck, "luck points.")
# points += remove
# points += remove
# else:
# print("Invalid attribute. You are likely to be eaten by a Grue.")
# elif choice == "3":
# print("Strength: "), strength
# print("Perception: "), perception
# print("Endurance: "), endurance
# print("Charisma: "), charisma
# print("Intellignce: "), intelligence
# print("Agility: "), agility
# print("Luck: "), luck
def create_character():
"""Set up the character creation method."""
attribute = input("\nwhich attribute? S. P. E. C. I. A. L.?").upper()
if attribute in my_character.keys():
amount = int(input("By how much?"))
if (amount > my_character['points']) or (my_character['points'] <= 1):
print("Not enough points!")
else:
my_character[attribute] += amount
my_character['points'] -= amount
else:
print("\nThat attribute doesn't exist!\n")
def print_character():
"""Display the character stats for the user."""
for attribute in my_character.keys():
print(attribute, " : ", my_character[attribute])
# MAIN FUNCTION
my_character = {'name': '', 'S': 1, 'P': 1, 'E': 1, 'C': 1, 'I': 1, 'A': 1, 'L': 1, 'points': 21}
running = True
print("You awake from 200 years in deep freeze. The wasteland awaits you.")
my_character['name'] = input("What is your character's name? ")
while running:
print("\nYou have ", my_character['points'], " points to distribute amongst your S.P.E.C.I.A.L. attributes.\n")
print("1. Add points\n2. Remove points\n3. See current attributes\n4. Exit\n")
choice = input("Choose wisely:")
if choice == "1":
add_character_points()
elif choice == "2":
remove_character_points()
elif choice == "3":
print_character()
elif choice == "4":
if points > 0:
print("Use all your points first!")
else:
running = False
else:
pass
|
"""Create a Character Generator for Fallout 4."""
def create_character():
"""Set up the character creation method."""
attribute = input('\nwhich attribute? S. P. E. C. I. A. L.?').upper()
if attribute in my_character.keys():
amount = int(input('By how much?'))
if amount > my_character['points'] or my_character['points'] <= 1:
print('Not enough points!')
else:
my_character[attribute] += amount
my_character['points'] -= amount
else:
print("\nThat attribute doesn't exist!\n")
def print_character():
"""Display the character stats for the user."""
for attribute in my_character.keys():
print(attribute, ' : ', my_character[attribute])
my_character = {'name': '', 'S': 1, 'P': 1, 'E': 1, 'C': 1, 'I': 1, 'A': 1, 'L': 1, 'points': 21}
running = True
print('You awake from 200 years in deep freeze. The wasteland awaits you.')
my_character['name'] = input("What is your character's name? ")
while running:
print('\nYou have ', my_character['points'], ' points to distribute amongst your S.P.E.C.I.A.L. attributes.\n')
print('1. Add points\n2. Remove points\n3. See current attributes\n4. Exit\n')
choice = input('Choose wisely:')
if choice == '1':
add_character_points()
elif choice == '2':
remove_character_points()
elif choice == '3':
print_character()
elif choice == '4':
if points > 0:
print('Use all your points first!')
else:
running = False
else:
pass
|
# -*- coding: utf-8 -*-
"""
foo
"""
bah = 1
|
"""
foo
"""
bah = 1
|
"""
Projections
To add a custom projection, create a method accepting (x, y, z) Cartesian coordinates and add an entry to the
parse_projection method
"""
def parse_projection(name: str):
if name == "standard":
return standard_proj
raise ValueError("Unknown projection")
def standard_proj(x, y, z):
return x, y
|
"""
Projections
To add a custom projection, create a method accepting (x, y, z) Cartesian coordinates and add an entry to the
parse_projection method
"""
def parse_projection(name: str):
if name == 'standard':
return standard_proj
raise value_error('Unknown projection')
def standard_proj(x, y, z):
return (x, y)
|
i = 10
j = 0
while i > 2:
i = i - 1
j = j + 8
|
i = 10
j = 0
while i > 2:
i = i - 1
j = j + 8
|
# LeetCode
# Level: Easy
# Date: 2021.11.17
class Solution:
def destCity(self, paths: List[List[str]]) -> str:
P = dict(paths)
PA = P.keys()
PB = P.values()
DC = PB - PA
for i in DC:
return(i)
|
class Solution:
def dest_city(self, paths: List[List[str]]) -> str:
p = dict(paths)
pa = P.keys()
pb = P.values()
dc = PB - PA
for i in DC:
return i
|
blacklist = [
"userQED",
"GGupzHH",
"nodejs-ma",
"linxz-coder",
"teach-tian",
"kevinlens",
"Pabitra-26",
"mangalan516",
"IjtihadIslamEmon",
"marcin-majewski-sonarsource",
"LongTengDao",
"JoinsG",
"safanbd",
"aly2",
"aka434112"
"SMAKSS",
"imbereket",
"takumu1011",
"adityanjr",
"Aa115511",
"farjanaHuq",
"samxcode",
"HaiTing-Zhu",
"gimnakatugampala",
"cmc3cn",
"kkkisme",
"haidongwang-github",
"ValueCoders",
"happy-dc",
"Tyorden",
"SP4R0W",
"q970923066",
"Shivansh2407",
"1o1w1",
"soumyadip007",
"AceTheCreator",
"qianbaiduhai",
"changwei0857",
"CainKane",
"Jajabenit250",
"gouri1000",
"yvettep321",
"naveen8801",
"HelloAny",
"ShaileshDeveloper",
"Jia-De",
"JeffCorp",
"ht1131589588",
"Supsource",
"coolwebrahul",
"aimidy",
"ishaanthakur",
# bots
"vue-bot",
"dependabot",
# below is taken from spamtoberfest
"SudhanshuAGR",
"pinkuchoudhury69",
"brijal96",
"shahbazalam07",
"piyushkothari1999",
"imnrb",
"saksham05mathur",
"Someshkale15",
"xinghalok",
"manpreet147",
"sumitsrivastav180",
"1234515",
"Rachit-hooda-man",
"vishal2305bug",
"Ajayraj006",
"pathak7838",
"Kumarjatin-coder",
"Narendra-Git-Hub",
"Stud-dabral",
"Siddhartha05",
"rishi123A",
"kartik71792",
"kapilpatel-2001",
"SapraRam",
"PRESIDENT-caris",
"smokkie087",
"Ravikant-unzippedtechnology",
"sawanch",
"Saayancoder",
"shubham5888",
"manasvi141220002",
"Asher12428",
"mohdalikhan",
"Paras4902",
"shudhii",
"Tesla9625",
"web-codegrammer",
"imprakashsah",
"Bhagirath043",
"Ankur-S1",
"Deannos",
"sapro-eng",
"skabhi001",
"AyushPathak12",
"Hatif786",
"adityas2124k2",
"Henry-786",
"abhi6418",
"J-Ankit2002",
"9759176595",
"rajayush9944",
"Kishan-Kumar-Kannaujiya",
"ManavBargali",
"komalsharma121",
"AbhiramiTS",
"mdkaif25",
"shubhamsingh333",
"hellosibun",
"ankitbharti1998",
"subhakantabhau",
"shivamsri142",
"sameer13899",
"BhavyaTheHacker",
"nehashewale",
"Shashi-design",
"anuppal101",
"NitinRavat888",
"sakrit",
"Kamran-360",
"satyam-dot",
"Suleman3015",
"amanpj15",
"abhinavjha98",
"Akshat-Git-Sharma",
"Anuragtawaniya",
"nongshaba1337",
"XuHewen",
"happyxhw",
"ascott",
"ThomasGrund",
'Abhayrai778',
'pyup-bot',
'AhemadRazaK3',
'doberoi10',
'lsmatovu',
'Lakshay7014',
'nikhilkr1402',
'arfakl99',
'Tyrrrz',
'SwagatamNanda',
'V-Soni',
'hparadiz',
'Ankurmarkam',
'shubham-01-star',
'Rajputusman',
'bharat13soni',
'przemeklal',
'p4checo',
'REDSKULL1412',
'GAURAVCHETTRI',
'DerDomml',
'Sunit25',
'divyansh123-max',
'hackerharsh007',
'Thecreativeone2001',
'nishkarshsingh-tech',
'Devyadav1994',
'Rajeshjha586',
'BoboTiG',
'nils-braun',
'DjDeveloperr',
'FreddieRidell',
'pratyxx525',
'abstergo43',
'impossibleshado1',
'Gurnoor007',
'2303-kanha',
'ChaitanyaAg',
'justinjpacheco',
'shoaib5887khan',
'farhanmulla713',
'ashrafzeya',
'muke64',
'aditya08maker',
'rajbaba1',
'priyanshu-top10',
'Maharshi369',
'Deep-bhingradiya',
'shyam7e',
'shubhamsuman37',
'jastisriradheshyam',
'Harshit-10-pal',
'shivphp',
'RohanSahana',
'404notfound-3',
'ritikkatiyar',
'ashishmohan0522',
'Amanisrar',
'VijyantVerma',
'Chetanchetankoli',
'Hultner',
'gongeprashant',
'psw89',
'harshilaneja',
'SLOKPATHAK',
'st1891',
'nandita853',
'ms-prob',
'Sk1llful',
'HarshKq',
'rpy9954',
'TheGunnerMan',
'AhsanKhokhar1',
'RajnishJha12',
'Adityapandey-7',
'vipulkumbhar0',
'nikhilkhetwal',
'Adityacoder99',
'arjun01-debug',
'saagargupta',
'UtCurseSingh',
'Anubhav07-pixel',
'Vinay584',
'YA7CR7',
'anirbanballav',
'mrPK',
'VibhakarYashasvi',
'ANKITMOHAPATRAPROGRAMS',
'parmar-hacky',
'zhacker1999',
'akshatjindal036',
'swarakeshrwani',
'ygajju52',
'Nick-Kr-Believe',
'adityashukl1502',
'mayank23raj',
'shauryamishra',
'swagat11',
'007swayam',
'gardener-robot-ci-1',
'ARUNJAYSACHAN',
'MdUmar07',
'vermavinay8948',
'Rimjhim-Dey',
'prathamesh-jadhav-21',
'brijal96',
'siddhantparadox',
'Abhiporwal123',
'sparshbhardwaj209',
'Amit-Salunke-02',
'wwepavansharma',
'kirtisahu123',
'japsimrans13',
'wickedeagle',
'AnirbanB999',
'jayeshmishra',
'shahbazalam07',
'Samrath07',
'pinkuchoudhury69',
'moukhikgupta5',
'hih547430',
'burhankhan23',
'Rakesh0222',
'Rahatullah19',
'sanskar783',
'Eshagupta0106',
'Arpit-Tailong',
'Adityaaashu',
'rahul149',
'udit0912',
'aru5858',
'riya6361',
'vanshkhemani',
'Aditi0205',
'riteshbiswas0',
'12Ayush12008039',
'Henry-786',
'ManviMaheshwari',
'SATHIYASEELAN2001',
'SuchetaPal',
'Sahil24822',
'sohamgit',
'Bhumi5599',
'anil-rathod',
'binayuchai',
'PujaMawandia123',
'78601abhiyadav',
'PriiTech',
'SahilBhagtani',
'dhruv1214',
'SAURABHYAGYIK',
'farhanmansuri25',
'Chronoviser',
'airtel945',
'Swagnikdhar',
'tushar-1308',
'sameerbasha123',
'anshu15183',
'Mohit049',
'YUVRAJBHATI',
'miras143mom',
'ProPrakharSoni',
'pratikkhatana',
'Alan1857',
'AyanKrishna',
'kartikey2003jain',
'sailinkan',
'DEVELOPER06810',
'Abhijeet9274',
'Kannu12',
'Shivam-Amin',
'suraj-lpu',
'Elizah550',
'dipsylocus',
'jaydev-coding',
'IamLucif3r',
'DesignrKnight',
'PiyumalK',
'nandita853',
'mohsin529',
'ShravanBhat',
'doppelganger-test',
'smitgh',
'parasgarg123',
'Amit-Salunke-02',
'Chinmay-KB',
'sagarr1',
'Praveshrana12',
'fortrathon',
'miqbalrr',
'Ankurmarkam',
'saloni691',
'Bhuvan804',
'pra-b-hat-chauhan',
'snakesause',
'Shubhani25',
'arshad699',
'fahad-25082001',
'Chaitanya31612',
'tiwariraju',
'ritik0021',
'aakash-dhingra',
'Raunak017',
'ashrafzeya',
'priyanshu-top10',
'NikhilKumar-coder',
'ygajju52',
'shvnsh',
'abhishek7457',
'sethmcagit',
'Apurva122',
'Gurpreet-Singh-Bhupal',
'ashmit-coder',
'Rishi098',
'Xurde-glitch',
'imrohitoberoi',
'Hrushikeshsalunkhe',
'ABHI2598',
'Abhishek8-web',
'arjun01-debug',
'Shailesh12-svg',
'SachinSingh7050',
'VibhakarYashasvi',
'rajbaba1',
'yuvraj66',
'Nick-Kr-Believe',
'gongeprashant',
'sanskar783',
'infoguru19',
'Shamik225',
'Pro0131',
'soni-111',
'Rahul-bitu',
'meetshrimali',
'coolsuva',
'yogeshwaran01',
'Satyamtripathi1996',
'Rahatullah19',
'kartikey2003jain',
'rajarshi15220',
'SahilBhagtani',
'janni-03',
'Abhijit-06',
'dvlp-jrs',
'Viki3223',
'Azhad56',
'Mohit049',
'mvpsaurav',
'dvcrn',
'Deep-bhingradiya',
'shreyans2007',
'sailinkan',
'Abhijeet9274',
'riteshbiswas0',
'AhemadRazaK3',
'rishi123A',
'shivpatil',
'rikidas99',
'sohamgit',
'jheero',
'itzhv14',
'sameerbasha123',
'yatendra-dev',
'AditiGautam2000',
'sid0542',
'tushar-1308',
'dhruvil05',
'sufiyankhanz',
'Alan1857',
'siriusb79',
'PKan06',
'yagnikvadaliya',
'yogeshkun',
'Abhishekjhatech',
'jatinsharma11',
'THENNARASU-M',
'priyanshu987art',
'maulik922',
'param-de',
'nisheksharma',
'balbirsingh08',
'piyushkothari1999',
'zeeshanthedev590',
'praney-pareek',
'SUBHANGANI22',
'kartikeyaGUPTA45',
'Educatemeans',
'9192939495969798',
'Amit1173',
'thetoppython',
'Saurabhsingh94',
'royalbhati',
'kardithSingh',
'kishankumar05',
'Rachit-hooda-man',
'alijng',
'patel-om',
'jahangirguru',
'Vchandan348',
'amitagarwalaa57',
'rockingrohit9639',
'Krishnapal-rajput',
'aman78954098',
'pranshuag1818',
'PIYUSH6791',
'Lachiemckelvie',
'Pragati-Gawande',
'mahesh2526',
'Aman9234',
'xMaNaSx',
'shreyanshnpanwar',
'Paravindvishwakarma',
'chandan-op',
'amit007-majhi',
'Rahul-TheHacker',
'sharmanityam252',
'iamnishan',
'codewithashu',
'mersonfufu',
'saksham05mathur',
'Krishna10798',
'rajashit14',
'aetios',
'pankajnimiwal',
'132ikl',
'ghost',
'Sabyyy',
'9Ankit00',
'AfreenKhan777',
'akash-bansal-02',
'regakakobigman',
'aman1750',
'irajdip99',
'mohdadil2001',
'shithinshetty',
'nikhilsawalkar',
'Brighu-Raina',
'kenkirito',
'SamueldaCostaAraujoNunes',
'codewithsaurav',
'Ashutoshvk18',
'EthicalRohit',
'ihimalaya',
'somya-max',
'themonkeyhacker',
'rammohan12345',
'JasmeetSinghWasal',
'black73',
'Rebelshiv',
'DarshanaNemane',
'Jitin20',
'Prakshal2607',
'Sourabhkale1',
'shoeb370',
'ArijitGoswami100',
'anju2408',
'ukybhaiii',
'anshulbhandari5',
'pratham1303',
'arpitdevv',
'RishabhGhildiyal',
'mohammedssab',
'deepakshisingh',
'Samshopify',
'ankitkumar827',
'anddytheone',
'Tush6571',
'pritam98-debug',
'Snehapriya9955',
'coastaldemigod',
'yogesh-1952',
'Vivekv11',
'Andrewrick1',
'DARSHIT006',
'pravar18',
'devildeep4u',
'21appleceo',
'bereketsemagn',
'vandana-kotnala',
'tanya4113',
'gorkemkrdmn',
'Ashwin0512',
'prateekrathore1234',
'hash-mesh',
'pathak7838',
'sakshamdeveloper',
'ankan10',
'prafgup',
'anurag200502',
'niklifter',
'Shreeja1699',
'shivshikharsinha',
'SumanPurkait-grb',
'chiranjeevprajapat',
'TechieBoy',
'KhushiMittal',
'UtCurseSingh',
'lucastrogo',
'jarvis0302',
'ratan160',
'kgaurav123',
'dhakad17',
'Rishn99',
'codeme13',
'KINGUMS',
'sun-3',
'varunsingh251',
'thedrivingforc',
'aditya08maker',
'AkashVerma1515',
'gaurangbhavsar',
'ApurvaSharma20',
'Manmeet1999',
'Arhaans',
'Jaykitkukadiya',
'Rimjhim-Dey',
'apurv69',
'parth-lth',
'PranshuVashishtha',
'sidhantsharmaa',
'uday0001',
'iamrahul-9',
'nagpalnipun22',
'poonamp-31',
'dhananjaypatil',
'baibhavvishalpani',
'Ashish774-sol',
'sachin2490',
'Sudhanshu777871',
'mayur1234-shiwal',
'RohanWakhare',
'rishi4004',
'Amankumar019',
'Vaibhav162002',
'pratyushsrivastava500',
'AmarPaul-GiT',
'arjit-gupta',
'nitinchopade',
'imakg',
'meharshchakraborty',
'tumsabGandu',
'anurag360',
'2000sanu',
'PoorviAgrawal56',
'omdhurat',
'Pawansinghla',
'thehacker-oss',
'mritu-mritu',
'AJAY07111998',
'rai12091997',
'OmShrivastava19',
'Divyanshu2109',
'adityaherowa',
'Abhishekt07',
'code-diggers-369',
'Jamesj001',
'coding-geek1711',
'govindrajpagul',
'CDP14',
'Kartik989-max',
'MaheshDoiphode',
'Pranayade777',
'er-royalprince',
'ricardoseriani',
'nowitsbalibhadra',
'navyaswarup',
'devendrathakare44',
'awaisulabdeen',
'SoumyaShree80',
'abahad7921',
'vishal0410',
'gajerachintan9',
'EBO9877',
'rohit-rksaini',
'momin786786',
'Shaurya-567',
'himanshu1079',
'AlecsFerra',
'rajvpatil5',
'Hacker-Boss',
'Rakesh0222',
'ASHMITA-DE',
'BilalSabugar',
'Anjan50',
'Vedant336',
'github2aman',
'satyamgta',
'kumar-vineet',
'uttamagrawal',
'AjaySinghPanwar',
'saieshdevidas',
'ohamshakya',
'JrZemdegs712',
'Anil404',
'Anamika1818',
'ssisodiya28',
'Vedurumudi-Priyanka',
'python1neo',
'sanketprajapati',
'InfinitelLoop',
'DarkMatter188',
'TanishqAhluwalia',
'J-yesh4939',
'sameer8991',
'ANSH-CODER-create',
'DeadShot-111',
'joydeepraina',
'Dhrupal19',
'Nikhil5511',
'lavyaKoli',
'jitu0956',
'parthika',
'digitalarunava',
'Shivamagg97',
'23031999',
'Ashu-Modanwal',
'Singhichchha',
'pareekaabhi33',
'yashpatel008',
'yashwantkaushal',
'prem-smvdu',
'jains1234567890',
'Ritesh-004',
'shraddha8218',
'misbah9105',
'Tanishqpy',
'Iamtripathisatyam',
'mdnazam',
'akashkalal',
'Abhishekkumar10',
'chaitalimazumder',
'shubham1176',
'866767676767',
'Priyanshu0131',
'Rajani12345678910',
'agrima84',
'DODOG98T',
'Abhishekaddu',
'ipriyanshuthakur',
'yogesh9555',
'shubham1234-os',
'abby486',
'YOGESH86400',
'jaggi-pixel',
'Utkarshdubey44',
'Mustafiz900',
'ashusaurav',
'Deepak27004',
'theHackPot',
'itsaaloksah',
'MakdiManush',
'Divyanshu09',
'codewithabhishek786',
'sumitkumar727254',
'faiz-9',
'soumyadipdaripa100',
'Prerna-eng',
'yourcodinsmas',
'akashnai',
'aryancoder4279',
'Anish-kumar7641',
'shivamkumar1999',
'Kushal34563',
'YashSinghyash',
'Alok070899',
'gautamdewasi',
'5HAD0W-P1R4T3',
'rajkhatana',
'Himanshu-Sharma-java',
'yethish',
'Vikaskhurja',
'boomboom2003',
'mansigurnani',
'ansh8540',
'beingkS23',
'raksharaj1122',
'harshoswal',
'mitali-datascientist',
'daadestroyer',
'panudet-24mb',
'divy-koushik',
'Tanuj1234567',
'pattnaikp',
'Gauravsaha-97',
'0x6D70',
'aptinstaller',
'SahilKhera14',
'Archie-Sharma',
'Chandan-program',
'shadowfighter2403',
'ivinodpatil2000',
'Souvik-py',
'NomanBaigA',
'UdhavKumar',
'rishabh-var123',
'NK-codeman0001',
'ritikkatiyar',
'ananey2004',
'tirth7677',
'Stud-dabral',
'dhruvsalve',
'treyssatvincent',
'AYUSHRAJ-WXYZ',
'JenisVaghasiya',
'KPRAPHULL',
'Apex-code',
'cypherrexx',
'AkilaDee',
'ankit-ec',
'darshan-10',
'Srijans01',
'Ankit00008',
'bijantitan',
'Jitendrayadav-eng',
'Tamonash-glitch',
'Ans-pro',
'yogesh8087',
'Sakshi2000-hash',
'shrbis2810',
'swagatopain6',
'mayankaryaman10',
'rajlomror',
'GauravNub',
'puru2407',
'KhushalPShah',
'aman7heaven',
'hazelvercetti',
'nil901',
'Ankitsingh6299',
'yashprasad8',
'Zapgithubexe',
'shiiivam',
'ShubhamGuptaa',
'viraj3315',
'Pratyush2005',
'jackSaluza',
'03shivamkushwah',
'shahvraj20',
'manaskirad',
'Harsh08112001',
'R667180',
'PRATIKBANSDOE',
'MabtoorUlShafiq',
'dkyadav8282',
'prtk2001',
'MrDpk818',
'ParmGill00',
'kavya0116',
'gauravrai26',
'sachi9692',
'nj1902',
'akshatjindal036',
'shravanvis',
'ranjith660',
'sahemur',
'MDARBAAJ',
'Tylerdurdenn',
'hemantagrawal1808',
'luck804',
'vivekpatel09',
'ArushiGupta21',
'ray5541',
'arpitlathiya',
'Koshal67',
'harshul03',
'avinchudasama',
'PUJACHAUDHARY092',
'shaifali-555',
'coderidder',
'ravianandfbg',
'rohitnaththakur',
'KhanRohila',
'nikhilkr1402',
'abhijitk123',
'Jitendra2027',
'Roshan13046',
'satyam1316',
'shhivam005',
'V-Soni',
'iamayanofficial',
'kunaljainSgit',
'shriramsalunke-45',
'Laltu079',
'premkushwaha1',
'aryansingho7',
'rohitkalse',
'Royalsolanki',
'MAYANK25402',
'prakharlegend15',
'Ansh2831',
'aps-glitch',
'PJ-123-Prime',
'iamprathamchhabra',
'Bhargavi09',
'Shubham2443',
'YashAgarwalDev',
'ChandanDroid',
'SaurabhDev338',
'developerlives',
'Abhishek-hash',
'harshal1996',
'ritik9428',
'shadab19it',
'sarthakd999',
'Pruthviraj001',
'royalkingsava',
'manofelfin',
'vedantbirla',
'nishantkrgupta14',
'harsh1471',
'krabhi977',
'Pradipta0065',
'Ajeet2007',
'aman97703',
'Killersaint007',
'sachin8859',
'shubhamsuman37',
'rutuja2807',
'rishabh2204',
'Basal05',
'vipulkumbhar0',
'DSMalaviya',
'Mohit5700',
'pranaykrpiyush',
'Deepesh11-Code',
'yogikhandal',
'jigneshoo7',
'vishal-1264',
'RohanKap00r',
'Lokik18',
'harisharma12',
'PRESIDENT-caris',
'sandy56github',
'shreeya0505',
'Azumaxoid',
'Hagemaru69',
'sanju69',
'Roopeshrawat',
'hackersadd',
'coder0880',
'bajajtushar094',
'amitkumar8514',
'avichalsri',
'Satya-cod',
'andaugust',
'emtushar',
'snehalbiju12',
'lakshya05',
'Shaika07',
'John339',
'chetan-v',
'KrishnaAgarwal3458',
'rohit-1225',
'vaibhavjain2099',
'Pratheekb1',
'devu2000',
'Akhil88328832',
'anupam123148',
'pramod12345-design',
'Kartik192192',
'Kartik-Aggarwal',
'Ekansh5702',
'basitali97',
'TanishqKhetan',
'deecode15800',
'Vibhore-7190',
'Harsh-pj',
'vishalvishw10',
'runaljain255',
'RitikmishraRitik',
'akashtyagi0008',
'albert1800',
'Harsh1388-p',
'Omkar0104',
'Lakshitasaini8',
'vaibhav-87',
'AshimKr',
'joshi2727',
'vihariswamy',
'Sudhanshu-Srivastava',
'sameersahoo',
'YOGENDER-sharma',
'shashank06-sudo',
'irramshaiikh',
'Magnate2213',
'srishti0801',
'darshanchau',
'tanishka1745',
'Coder00sharma',
'gariya95',
'vedanttttt',
'codecpacka',
'vijay0960',
'tanya-98',
'Tarkeshwar999',
'RiderX24',
'BUNNY2210',
'yuvrajbagale',
'Pranchalkushwaha',
'Varun11940',
'khushhal213',
'Raulkumar',
'bekapish',
'shubhkr1023',
'mishrasanskriti802',
'vaibhavimekhe',
'HardikShreays',
'ab-rahman92',
'waytoheaven001',
'ambrajyaldandi',
'100009224730519',
'Bikramdas04',
'mokshkant7',
'Harshcoder10',
'hvshete',
'sanmatipol',
'polankita',
'Vinit-Code04',
'Sheetal0601',
'harsh123-para',
'RitikSharma06',
'pankajmandal1996',
'AkshayNaphade',
'KaushalDevrari',
'ag3n7',
'SudershanSharma',
'naturese',
'Shubham-217',
'ateef-khan',
'sharad5987',
'anmolsahu901',
'sarkarbibrata',
'Chandramohan01',
'RAVI-SHEKHAR-SINGH',
'vinayak15-cyber',
'TheWriterSahb',
'way2dmark',
'Spramod23',
'Saurabgami977',
'doberoi10',
'Lakshya9425',
'megha1527',
'beasttiwari',
'gtg94',
'kshingala1',
'Dshivamkumar',
'smokkie087',
'RiserShaikh',
'explorerAndroid',
'Grace-Rasaily780',
'Harshacharya2020',
'SatvikVirmani',
'RishabhIshtwal',
'gargtanuj05',
'skilleddevil',
'XAFFI',
'BALAJIRAO676',
'neer007-cpu',
'JiimmyValentine',
'Dhruv8228',
'Devendranath-Maddula',
'abhishekaman3015',
'sudhir-12',
'Shashi-design',
'simplilearns',
'ThakurTulsi',
'rahulshastryd',
'Ankit9915',
'afridi1706',
'JaySingh23',
'DevCode-shreyas',
'Shivansh-K',
'kikisslass',
'swarup4544',
'shivam22chaudhary',
'smrn54',
'521ramborahul',
'pretechscience',
'rudrakj',
'janidivy',
'SuvarneshKM',
'manishsuthar414',
'raghavbansal-sys',
'GoGi2712',
'therikesh',
'Anonymouslaj',
'devs7122',
'icmulnk77',
'ankit4-com',
'ansh4223',
'shudhanshubisht08',
'RN-01',
'iamsandeepprasad',
'neerajd007',
'rrishu',
'sameer0606',
'kunaldhar',
'sajal243',
'Arsalankhan111',
'RavindraPal2000',
'shubham5630994',
'ankit526',
'codewithaniket',
'meetpanchal017',
'Pranjal1362',
'ni30kp',
'kushalsoni123',
'Nishantcoedtu',
'vijaygupta18',
'Bishalsharma733',
'AnkitaMalviya',
'anianiket',
'hritik6774',
'krongreap',
'FlyingwithCaptainSoumya',
'himpat202',
'mahin651',
'mohit-jadhav-mj',
'kaushiknyay18',
'testinguser883',
'MdUmar07',
'Saumiya-Ranjan',
'cycric',
'mandliya456',
'kavipss',
'Sumit1777',
'ankitgusain',
'SKamal1998',
'Pritam-hrxcoder13',
'shruti-coder',
'Harshit-techno',
'Sanketpatil45',
'poojan-26',
'Nayan-Sinha',
'confievil',
'mrkishanda',
'abhishek777777777777',
'ankitnith99',
'Pushkar0',
'Sahil-Sinha',
'Anantvasu-cyber',
'priyanujbd23',
'divyanshmalik22',
'shreybhan',
'nirupam090',
'sohail000shaikh',
'dhruvvats-011',
'ATRI2107',
'Harjot9812',
'sougata18p',
'Amogh6315',
'NishanBanga',
'SaifVeesar',
'edipretoro',
'Amit10538',
'thewires2',
'jaswalsaurabh',
'siddh358',
'raj074',
'Sameer-create',
'goderos19',
'akash6194',
'Ketan19479',
'shubham-01-star',
'avijitmondal',
'khand420',
'kasarpratik31',
'jayommaniya',
'WildCard13',
'RishabhAgarwal345',
'mukultwr',
'Gauravrathi1122',
'abhinav-bit',
'ShivamBaishkhiyar',
'sudip682',
'neelshah6892',
'archit00007',
'Kara3',
'Akash5523',
'Pranshumehta',
'karan97144',
'parasraghav288',
'codingmastr',
'farzi56787',
'SAURABHYAGYIK',
'faizan7800',
'TheBinitGhimire',
'anandrathod143',
'Jeetrughani',
'aaditya2357',
'ADDY-666',
'kumarsammi3',
'prembhatt1916',
'Gourav5857',
'pradnyaghuge',
'Vishal-Aggarwal0305',
'prashant-45',
'abhishek18002',
'Deadlynector',
'ashishjangir02082001',
'RohitSingh04',
'Satyamtechy',
'shreyukashid',
'M-ux349',
'Riya123cloud',
'coder-beast-78',
'mrmaxx010204',
'npdoshi5',
'gobar07',
'rushi1313',
'Akashsah312',
'pksinghal585',
'rockyfarhan',
'JayeshDehankar',
'sarap224',
'yash752004',
'rohan241119',
'Nick-h4ck3r',
'abhishekA07',
'cjjain76',
'CodeWithYashraj',
'dkp888',
'rahil003',
'sachin694',
'Anjali0369',
'sumeet004',
'aryan1256',
'PNSuchismita',
'shash2407',
'Tanishk007',
'Yugalbuddy',
'Saurabh392',
'Saurabh299',
'DevanshGupta15',
'DeltaxHamster',
'darpan45',
'P-cpu',
'singhneha94',
'Nitish-McQueen',
'GRACEMARYMATHEW',
'ios-shah',
'Divanshu2402',
'asubodh',
'CypherAk007',
'nethracookie',
'guptaji609',
'thishantj',
'shivamsaini89',
'AntLab04',
'bit2u',
'AbhishekTiwari72',
'shreyashkharde',
'PrabhatP2000',
'amansahani60',
'shubham5888',
'Ashutoshkrs',
'scratcher007lakshya',
'SumitRodrigues',
'Harishit1466',
'Gouravbhardwaj1',
'shraiyya',
'SpooderManEXE',
'thelinuxboy',
'jamnesh',
'Nilesh425',
'machinegun20000',
'Brianodroid',
'sunnyjohari',
'TusharThakkar13',
'juned06',
'bindu-07',
'gautamsharma17',
'sonamvlog',
'iRajMishra',
'ayushgupta1915',
'Joker9050',
'Aakash1720',
'sakshiii-bit',
'mpsapps',
'deadshot9987',
'RobinKumar5986',
'thiszsachin',
'karanjoshi1206',
'sumitsisodiya',
'akashnavale18',
'spmhot',
'ashutoshhack',
'shivamupasanigg',
'rajaramrom',
'vksvikash85072',
'mohitkedia-github',
'vanshdeepcoder',
'rkgupta95',
'sushilmangnlae',
'Prakashmishra25',
'YashPatelH',
'prakash-jayaswal-au6',
'AnayAshishBhagat',
'Indian-hacker',
'ishaanbhardwaj',
'nish235',
'shubhampatil9125',
'Ankush-prog',
'Arpus87',
'kuldeepborkarjr',
'rajibbera',
'kt96914',
'nithubcode',
'ishangoyal8055',
'Samirbhajipale',
'AnshKumar200',
'salmansalim145',
'SAWANTHMARINGANTI',
'ankitts12',
'ketul2912',
'kdj309',
'nsundriyal62',
'manishsingh003',
'Deepak-max800',
'magicmasti428',
'sidharthpunathil',
'shyamal2411',
'auravgv',
'MrIconic27',
'anku-11-11',
'Suyashendra',
'WarriorSdg',
'pythoniseasy-hub',
'Nikk-code',
'Kutubkhan2005',
'kunal4421',
'apoorva1823000',
'singharsh0',
'sushobhitk',
'NavidMansuri5155',
'tanav8570',
'Durveshpal',
'dkishere2021',
'shubhamraj01',
'manthan14448',
'sahilmandoliya',
'Dewakarsonusingh',
'kalpya123',
'9075yash',
'Aditya7851-AdiStarCoders',
'MrChau',
'ooyeayush',
'Vipinkumar12it',
'ayushyadav2001',
'akshay20105',
'prothehero',
'sam007143',
'subhojit75',
'Dhvanil25',
'ANKUSHSINGH-PAT',
'Apoorva-Shukla',
'GizmoGamingIn',
'Mahaveer173',
'Abhayrai778',
'adityarawat007',
'HarshKumar2001',
'mohitboricha',
'deepakpate07',
'Aish-18',
'Sakshi-2100',
'adarshdwivedi123',
'shubhamprakhar',
'Basir56',
'zerohub23',
'Shrish072003',
'yash3497',
'Alfax14910',
'khushboo-lab',
'Devam-Vyas',
'PPS-H',
'nimitshrestha',
'sunnythepatel',
'Tusharkumarofficial',
'Nikhilmadduri',
'hiddenGeeks',
'dearyash',
'shahvihan',
'BlackThor555',
'preetamsatpute555',
'RanniePavillon',
'dgbkn',
'Karan-Agarwal1',
'praanjaal-guptaa',
'Cha7410',
'ar2626715',
'suhaibshaik',
'gurkaranhub',
'Guptaji29',
'seekNdestory',
'gorujr',
'lokeshbramhe',
'Rakesh-roy',
'NKGupta07',
'hacky503boy',
'Harshit-Taneja',
'vishal3308',
'vibhor828',
'rabi477',
'ArinTyagi',
'RaviMahile',
'Ayushgreeshu',
'Deepak674',
'VikashAbhay',
'paddu-sonu',
'swapnil-morakhia',
'anshu7919',
'vickyshaw29',
'pawan941394',
'mayankrai123',
'riodelord',
'iamsmr',
'ramkrit',
'vijayjha15',
'Anurag346',
'vineetstar10',
'Amarjeetsingh6120000',
'ayush9000',
'staticman-net',
'piyush4github',
'Neal-01',
'sky00099',
'cjheath',
'pranavstar-1203',
'sjwarner',
'Sandeepana',
'ritikrkx21',
'alinasahoo',
'tech-vin',
'Atul-steamcoder',
'ranchodhamala11',
'pradnyahaval',
'Nishant2911',
'altaf71mansoori',
'codex111',
'anirbandey303',
'kishan-kushwaha',
'ashwinthomas28',
'adityasunny1189',
'sourav1122',
'Hozefa976',
'PratapSaren',
'vikram-3118',
'Deep22T',
'sidd4999',
'agrawalvinay699',
'anujsingh1913',
'SoniHariom555',
'AyushJoshi2001',
'barinder7',
'shishir-m98',
'abhishekkrdev',
'pmanaktala',
'Snehil101',
'Himanshsingh0753',
'sambhav2898',
'niteshsharma9',
'x-thompson3',
'Vipul-hash',
'MrityunjayR',
'Abhinav7272',
'prashant-pbh',
'Saswat-Gewali',
'Redcloud2020-coder',
'priyanka-prasad1',
'harshwardhan111',
'Rajendra-banna',
'Rajan24032000',
'Mariede',
'sakshi-jain24',
'arron-hacker',
'Aniket-ind',
'Devloper-Adil',
'Shubh2674',
'saloninahar',
'DipNkr',
'princekumar6',
'harshsingh121098',
'Rajneesh486Git',
'jitendragangwar',
'Jayesh-Kumar-Yadav',
'shudhii',
'Bishal-bit',
'sulemangit',
'Kushagra767',
'JSM2512',
'ovs1176',
'arfakl99',
'Premkr1110',
'YASH162',
'rp-singh1994',
'Deepu10172j',
'raghavk911',
'HardikN19',
'Gari1309',
'eklare19',
'rohitmore1012',
'Aabhash007',
'mohitsaha123',
'Bhagirath043',
'surajphulara',
'shaurya127',
'shubzzz98',
'mkarimi-coder',
'sakshi0309-champ',
'shivam623623',
'cheekudeveloper',
'Ashutosh-98765',
'Vaibhavipadamwar',
'shwetashrei',
'Banashree19',
'atharvashinde01',
'PrashantMehta-coder',
'kajolkumari150',
'Aqdashashmii',
'joyskmathew',
'pkkushagra',
'Rishrao09',
'Ashutoshrastogi02',
'JatulCodes',
'agarwals368',
'praveenbhardwaj',
'hardik302001',
'jagannathbehera444',
'jubyer00',
'SouravSarkar7',
'neerajsins',
'Rasam22',
'pk-bits',
'asawaronit60',
'anupama-nicky',
'Kishan-Kumar-Kannaujiya',
'carrycooldude',
'parasjain99',
'vishwatejharer',
'sayon-islam-23',
'sidhu56',
'Diwakarprasadlp',
'hashim361',
'Anantjoshie',
'bankateshkr',
'Mayank2001kh',
'RoyNancy',
'ayushsagar10',
'jaymishra2002',
'Anushka004',
'naitik-23',
'meraj97',
'gagangupta07',
'stark829',
'Muskan761',
'MrDeepakY',
'NayanPrakash11',
'shawnfrost69',
'thor174',
'Sumeet2442',
'ummekulsum123',
'akarsh2312',
'hemantmakkar',
'bardrock01',
'MrunalHole',
'chetanrakhra',
'pratik821',
'rahulkz',
'Akhilesh-ingle',
'pruthvi3007',
'Vanshi1999',
'sagarkb',
'CoderRushil',
'Shivansh2200',
'Ronak14999',
'srishtiaggarwal',
'adityakumar48',
'piyushchandana',
'Piyussshh',
'priyank-di',
'Vishwajeetbamane',
'moto-pixel',
'madmaxakshay',
'James-HACK',
'vikaschamyal',
'Arkadipta14',
'Abhishekk2000',
'Sushant012',
'Quint-Anir',
'navaloli',
'ronitsingh1405',
'vanshu25',
'samueldenzil',
'akashrajput25',
'sidhi100',
'ShivtechSolutions',
'vimal365',
'master77229',
'Shubham-Khetan-2005',
'vaishnavi-1',
'AbhijithSogal',
'Sid133',
'white-devil123',
'bawa2510',
'anjanikshree12',
'mansigupta1999',
'hritik229',
'engineersonal',
'adityaadg1997',
'mansishah20',
'2shuux',
'Nishthajosh',
'ParthaDe94',
'abhi-io',
'Neha-119',
'Dungeonmaster07',
'Prathu121',
'anishloop7',
'cwmohit',
'shivamsri142',
'Sahil9511',
'NIKHILAVISHEK',
'amitpaswan9',
'devsharmaarihant',
'bilal509',
'BrahmajitMohapatra',
'rebelpower',
'Biswajitpradhan',
'sudhirhacker999',
'pydevtanya',
'Ashutosh147',
'jayeshmishra',
'rahul97407',
'athar10y2k',
'mrvasani48',
'raiatharva',
'Arj09',
'manish-109',
'aishwarya540',
'mohitjoshi81',
'PrathamAditya',
'K-Adrenaline',
'mrvlsaf',
'shivam9599',
'souravnitkkr',
'Anugya-Gogoi',
'AdityaTiwari64',
'yash623623',
'anjanik807',
'ujjwal193',
'TusharKapoor24',
'Ayushman278',
'osama072',
'aksahoo-1097',
'kishan-31802',
'Roshanpaswan',
'Himanshu-Prajapati',
'satyamraj48',
'NEFARI0US',
'kavitsheth',
'kushagra-18',
'khalane1221',
'ravleenkaur8368',
'Himanshu9430',
'uttam509',
'CmeherGit',
'sid5566',
'devaryan12123',
'ishanchoudhry',
'himanshu70043',
'skabhi001',
'tekkenpro',
'sandip1911',
'HarshvardhnMishra',
'krunalrocky',
'rohitkr-07',
'anshulgarg1234',
'hacky502boy',
'vivek-nagre',
'Hsm7085',
'amazingmj',
'Rbsingh9111',
'ronupanchal',
'mohitcodeshere',
'1741Rishabh',
'Cypher2122',
'SahilDiwakar',
'abhigyan1000',
'HimanshuSharma5280',
'ProgrammerHarsh',
'Amitamit789',
'swapnilmutthalkar',
'enggRahul8git',
'BhuvnendraPratapSingh',
'Ronak1958',
'Knight-coder',
'Faizu123',
'shivansh987',
'mrsampage',
'AbhishikaAgarwal',
'Souvagya-Nayak',
'harsh287',
'Staryking',
'rmuliterno',
'kunjshah0703',
'KansaraPratham',
'GargoyleKing2112',
'Tanu-creater',
'satvikmittal638',
'gauravshinde-7',
'saabkapoor36',
'devangpawar',
'RiddhiCoder',
'Bilalrizwaan',
'sayyamjain78',
'2606199',
'mayuresh4700',
'umang171',
'kramit9',
'surendraverma1999',
'raviu773986',
'Codewithzaid',
'Souvik-Bose-199',
'BeManas',
'JKHAS786',
'MrK232',
'aaryannipane',
'bronzegamer',
'hardikkushwaha',
'Anurag931999',
'dhruvalgupta2003',
'kaushal7806',
'JayGupta6866',
'mayank161001',
'ShashankPawsekar',
'387daksh',
'Susanta-Nayak',
'Pratik-11',
'Anas-S-Shaikh',
'marginkantilal',
'Brijbihari24',
'Deepanshu761',
'Aakashlifehacker',
'SaketKaswa',
'dhritiduttroy',
'astitvagupta31',
'Prakhyat-Srivastava',
'Puneet405',
'harsh2630',
'sds9639',
'Prajwal38',
'simransharmarajni',
'Naman195',
'patience0721',
'Aman6651',
'tyagi1558',
'kmannnish',
'victorwpbastos',
'sagnik403',
'rahuly5544',
'PrinceKumarMaurya591',
'nakulwastaken',
'janmejayamet',
'HimanshuGupta11110000',
'Akshatcodes21',
'IRFANSARI',
'shreya991',
'pavan109',
'Parth00010',
'itzUG',
'Mayank-choudhary-SF',
'shubhamborse',
'Courage04',
'techsonu160',
'shivamkonkar',
'ErMapsh',
'roshan-githubb',
'Gourav502',
'SauravMiah',
'nikhil609',
'BenzylFernandes',
'BarnakGhosh',
'Aanchalgarg343',
'Madhav12345678',
'Tirth11',
'bhavesh1456',
'ajeet323327',
'AmitNayak9',
'lalitchauhan2712',
'raviroshan224',
'hellmodexxx',
'Dhruv1501',
'Himanshu6003',
'mystery2828',
'waris89',
'2303-kanha',
'Anshuk-Mishra',
'amandeeptiwari22',
'Shashikant9198',
'Adityacoder99',
'Pradeepsharma7447',
'varunreddy57',
'uddeshaya',
'Priyanka0310-byte',
'adharsidhantgupta',
'Bhupander7',
'NomanSubhani',
'umeshkv2',
'Debosmit-Neogi',
'bhaktiagrawal088',
'Aashishsharma99',
'G25091998',
'mdkaif25',
'raj-jetani',
'chetanpujari5105',
'Agrawal-Rajat',
'Parthkrishnan',
'sameer-15',
'HD-Harsh-Doshi',
'Anvesha',
'karanmankoliya',
'armandatt',
'DakshSinghalIMS',
'Bhavyyadav25',
'surya123-ctrl',
'shubhambhawsar-5782',
'PAWANOP',
'mohit-singh-coder',
'Mradul-Hub',
'babai1999',
'Ritesh4726',
'Anuj-Solanki',
'abhi04neel',
'yashshahah',
'yogendraN27',
'Rishabh23-thakur',
'Indhralochan',
'harshvaghani',
'dapokiya',
'pg00019',
'AMITPKR',
'pawarrahul1002',
'mrgentlemanus',
'anurag-sonkar',
'aalsicoder07',
'harsh2699',
'Rahilkaxi',
'Jyotindra-21',
'dhruvilmehta',
'jacktherock',
'helpinubcomgr8',
'spcrze',
'aman707f',
'Nikkhil-J',
'Poonam798',
'devyansh2006',
'amanpj15',
'rudrcodes',
'STREIN-max',
'Adarsh-kushwaha',
'adxsh',
'Mohnish7869',
'Mrpalash',
'umangpincha',
'aniket1399',
'Sudip843',
'Amartya-Srivastav',
'Ananda1113',
'nobbitaa',
'shahmeet79',
'AmitM56',
'jiechencn',
'devim-stuffs',
'bkobl',
'kavindyasinthasilva',
'MochamadAhya29',
'misbagas',
'ksmarty',
'vedikaag99',
'nongshaba1337',
'daiyi',
'Saturia',
'llfj',
'312494845',
'DeadPackets',
'Pandorax41',
'Kritip123',
'poburi',
'hffkb',
'cybrnook',
'lichaonetuser',
'l-k-a-m-a-z-a',
'zhaoshengweifeng',
'staticman-peoplesoftmods',
'ikghx',
'uguruyar',
'513439077',
'f4nff',
'samspei0l',
'Seminlee94',
'inflabz',
'jack1988520',
'lanfenglin',
'sujalgoel',
'foldax',
'corejava',
'DarkReitor',
'amirpourastarabadi',
'Raess-rk1',
'ankit0183',
'jurandy007',
'davidbarratt',
'bertonjulian',
'TMFRook',
'qhmdi',
'QairexStudio',
'XuHewen',
'happyxhw',
'Mokaz24',
'andyteq',
'Grommish',
'fork-bombed',
'AZiMiao1122',
'61569864',
'jeemgreen234',
'IgorKowalczykBot',
'sirpdboy',
'fjsnogueira',
'9000000',
'ascott',
'aparcar',
'void9main',
'gerzees',
'javadnew5',
'belatedluck',
'calmsacibis995',
'maciejSamerdak',
'ghostsniper2018',
'rockertinsein',
'divarjahan',
'skywalkerEx',
'ehack-italy',
'Cloufish',
'aasoares',
'mustyildiz',
'Ras7',
'philly12399',
'cuucondiep',
'Nomake',
'z306334796',
'ball144love',
'armfc6161',
'Alex-coffen',
'rodrigodesouza07',
'lss182650',
'iphotomoto',
'overlordsaten',
'miaoshengwang',
'ManiakMCPE',
'Yazid0540570463',
'unnamegeek',
'brennvika',
'ardi66',
'Cheniour10',
'lxc1121',
'rfm-bot',
'cornspig',
'jedai47',
'ignotus09',
'kamal7641',
'Dabe11',
'dgder0',
'Nerom',
'luixiuno',
'zh610902551',
'wifimedia',
'mjoelmendes',
'pc2019',
'hellodong',
'lkfete',
'a7raj',
'willquirk',
'xyudikxeon1717171717',
'420hackS',
'mohithpokala',
'tranglc',
'ilyankou',
'hhmaomao',
'hongjuzzang',
'Mophee-ds',
'wetorek',
'apktesl',
'jaylac2000',
'BishengSJTU',
'elfring',
'ThomasGrund',
'coltonios',
'kouhe3',
'balaji-29',
'demo003',
'gfsupport',
'AlonzoLax',
'tazmanian-hub',
'qwerttvv',
'kotucocuk',
'ajnair100',
'jirayutza1',
'karolsw3',
'shenzt68',
'xpalm',
'adamwebrog',
'jackmahoney',
'chenwangnec',
'hanlihanshaobo',
'jannik-mohemian',
'Pablosky12',
'95dewadew',
'dcharbonnier',
'chapmanvoris',
'nishantingle999',
'gulabraoingle',
'kalyaniingle',
'BoulavardDepo',
'amingoli78',
'daya2940',
'roaddogg2k2',
'AmbroseRen',
'jayadevvasudevan',
'pambec',
'orditeck',
'muhammetcan34',
'Aman199825',
'hyl946',
'CyberSecurityUP',
'kokum007',
'shivamjaiswal64',
'Skub123',
'KerimG',
'thehexmor',
'jakaya123',
'Ashish24788',
'qhuy1501',
'TranVanDinh235',
'Thuong1998',
'TranTheTuan',
'anhtuyenuet',
'tranhuongk',
'danhquyen0109',
'hunghv-0939',
'dat-lq-234',
'nguyenducviet1999',
'Rxzzma',
'MrRobotjs',
'jonschlinkert',
'awsumbill',
'lastle',
'gaga227',
'maiquangminh',
'andhie-wijaya',
'penn5',
'FormosaZh',
'itz63c',
'AvinashReddy3108',
'ferchlam',
'noobvishal',
'ammarraisafti',
'authenticatorbot',
'SekiBetu',
'markkap',
'wyd6295578sk',
'lorpus',
'Camelsvest',
'ben-august',
'jackytang',
'dominguezcelada',
'tony1016',
'afuerhoff420',
'darkoverlordofdata',
'yihanwu1024',
'bromiao',
'MaxEis',
'kyf15596619',
'Reysefyn',
'THEROCK2512',
'Krystool',
'Adomix',
'splexpe',
'hugetiny',
'mikeLongChen',
'KlansyMsniv',
'Anony1234mo',
'Mygod',
'chenzesam',
'vatayes',
'fisher134',
'bmaurizio',
'fire-bot',
'kjbot-github',
'Dcollins66',
'dislash',
'noraj',
'theLSA',
'chadyj',
'AlbertLiu-Breeze',
'jspspike',
'kill5Witchd',
'repushko',
'ankushshekhawat',
'karan1dhir',
'venkatvani',
'tracyxiong1',
'PythxnBite',
'vamshi0997',
'himanshu345',
'prabhat2001',
'aakar345',
'rangers9708',
'anuragiiitm',
'AlfieBurns12345678910',
'marpernas',
'jrcole2884',
'deshanjali',
'alekh42',
'deepakgangore',
'SuperBeagleDog',
'vasiliykovalev',
'lyin888',
'tchainzzz',
'Theoask',
'jnikita356',
'ajay1706',
'gane5hvarma',
'pbhavesh2807',
'daniloeler',
'gabrielrab',
'djdamian210',
'1samuel411',
'Apoorv1',
'AnimatedAnand',
'7coil',
'trentschnee',
'himanshu435',
'dialv',
'DHRUV536',
'pratyushraj01',
'vedantv',
'yusronrizki',
'joaoguazzelli',
'pradnyesh45',
'aneeshaanjali',
'iREDMe',
'ashish010598',
'abhi1998das',
'keshriraj7870',
'vishad2',
'Navzter',
'jagadyudha',
'hrom405',
'seferov',
'umeshdhauni',
'sakshamkhurana97',
'ThatNerdyPikachu',
'dishantsethi',
'tharindumalshan1',
'ruderbytes',
'pr-jli',
'21RachitShukla',
'fellipegs',
'foolbirds',
'hariprasetia',
'tanyaagrawal1006',
'Gaurav1309Goel',
'vidurathegeek',
'wolfsoldier47',
'bhaskar24',
'thedutchruben',
'Qoyyuum',
'msdeibel',
'Nann',
'bksahu',
'sathyamoorthyrr',
'sbenstewart',
'supriyanta',
'MasterKN48',
'prkhrv',
'Blatantz',
'rahulgoyal911',
'ranyejun',
'decpr',
'apollojoe',
'SuperAdam47',
'RootUp',
'llronaldoll',
'jayadeepgilroy',
'Arunthomas1105',
'zhanwenzhuo-github',
'dennisslol006',
'xFreshie',
'servantthought',
'Geilivable',
'xushet',
'order4adwriter',
'dubrovka',
'Nmeyers75',
'p3p5170',
'yangkun6666',
'knight6414',
'nailanawshaba',
'tuhafadam',
'stainbank',
'52fhy',
'jiyanmizah',
'iotsys',
'zhangxiao921207',
'empsmoke',
'asugarr',
'Amonhuz',
'VinayaSathyanarayana',
'html5lover',
'peterambrozic',
'maomaodegushi',
'ShelbsLynn',
'AmmarAlzoubi',
'AlessioPellegrini',
'tetroider',
'404-geek',
'mohammed078',
'sugus25',
'mxdi9i7',
'sahilmalhotra24',
'furqanhaidersyed',
'ChurchCRMBugReport',
'shivamkapoor3198',
'wulongji2016',
'jjelschen',
'bj2015',
'tangxuelong',
'gunther-bachmann',
'marcos-tomaz',
'anette68',
'techiadarsh',
'nishantmadu',
'Nikhil2508',
'anoojlal',
'krischoi07',
'utkarshyadavin',
'amanPanth',
'chinurox',
'syedbilal5000',
'NidPlays',
'jirawat050',
'RealAnishSharma',
'bwegener',
'whyisjacob',
'naveenpucha8',
'ronaksakhuja',
'ju3tin',
'DT9',
'dorex22',
'hiendinhngoc',
'mlkorra',
'Christensenea',
'Mouse31',
'VeloxDevelopment',
'parasnarang1234',
'beilo',
'armagadon159753',
'andrewducker',
'NotMainScientist',
'alterem',
'MilkAndCookiz',
'Justinshakes',
'TheColdVoid',
'falconxunit',
'974648183',
'minenlink',
'thapapinak',
'lianghuacheng',
'ben3726',
'BjarniRunar',
'Taki21',
'zsytssk',
'Apple240Bloom',
'shubham436',
'LoOnyBiker',
'uasi',
'wailoamrani',
'AnimeOverlord7',
'zzyzy',
'ignitete',
'vikstrous',
's5s5',
'tianxingvpn',
'talib1410',
'vinymv',
'yerikyy',
'Honsec',
'chesterwang',
'perryzou',
'Meprels',
'mfat',
'mo-han',
'roganoalien',
'amoxicillin',
'AbelLai',
'whatisgravity',
'darshankaarki',
'Tshifhiwa84',
'CurtainTears',
'gaotong2055',
'appleatiger',
'hdstar2009',
'TommyJerryMairo',
'GoogleCodeExporter',
]
|
blacklist = ['userQED', 'GGupzHH', 'nodejs-ma', 'linxz-coder', 'teach-tian', 'kevinlens', 'Pabitra-26', 'mangalan516', 'IjtihadIslamEmon', 'marcin-majewski-sonarsource', 'LongTengDao', 'JoinsG', 'safanbd', 'aly2', 'aka434112SMAKSS', 'imbereket', 'takumu1011', 'adityanjr', 'Aa115511', 'farjanaHuq', 'samxcode', 'HaiTing-Zhu', 'gimnakatugampala', 'cmc3cn', 'kkkisme', 'haidongwang-github', 'ValueCoders', 'happy-dc', 'Tyorden', 'SP4R0W', 'q970923066', 'Shivansh2407', '1o1w1', 'soumyadip007', 'AceTheCreator', 'qianbaiduhai', 'changwei0857', 'CainKane', 'Jajabenit250', 'gouri1000', 'yvettep321', 'naveen8801', 'HelloAny', 'ShaileshDeveloper', 'Jia-De', 'JeffCorp', 'ht1131589588', 'Supsource', 'coolwebrahul', 'aimidy', 'ishaanthakur', 'vue-bot', 'dependabot', 'SudhanshuAGR', 'pinkuchoudhury69', 'brijal96', 'shahbazalam07', 'piyushkothari1999', 'imnrb', 'saksham05mathur', 'Someshkale15', 'xinghalok', 'manpreet147', 'sumitsrivastav180', '1234515', 'Rachit-hooda-man', 'vishal2305bug', 'Ajayraj006', 'pathak7838', 'Kumarjatin-coder', 'Narendra-Git-Hub', 'Stud-dabral', 'Siddhartha05', 'rishi123A', 'kartik71792', 'kapilpatel-2001', 'SapraRam', 'PRESIDENT-caris', 'smokkie087', 'Ravikant-unzippedtechnology', 'sawanch', 'Saayancoder', 'shubham5888', 'manasvi141220002', 'Asher12428', 'mohdalikhan', 'Paras4902', 'shudhii', 'Tesla9625', 'web-codegrammer', 'imprakashsah', 'Bhagirath043', 'Ankur-S1', 'Deannos', 'sapro-eng', 'skabhi001', 'AyushPathak12', 'Hatif786', 'adityas2124k2', 'Henry-786', 'abhi6418', 'J-Ankit2002', '9759176595', 'rajayush9944', 'Kishan-Kumar-Kannaujiya', 'ManavBargali', 'komalsharma121', 'AbhiramiTS', 'mdkaif25', 'shubhamsingh333', 'hellosibun', 'ankitbharti1998', 'subhakantabhau', 'shivamsri142', 'sameer13899', 'BhavyaTheHacker', 'nehashewale', 'Shashi-design', 'anuppal101', 'NitinRavat888', 'sakrit', 'Kamran-360', 'satyam-dot', 'Suleman3015', 'amanpj15', 'abhinavjha98', 'Akshat-Git-Sharma', 'Anuragtawaniya', 'nongshaba1337', 'XuHewen', 'happyxhw', 'ascott', 'ThomasGrund', 'Abhayrai778', 'pyup-bot', 'AhemadRazaK3', 'doberoi10', 'lsmatovu', 'Lakshay7014', 'nikhilkr1402', 'arfakl99', 'Tyrrrz', 'SwagatamNanda', 'V-Soni', 'hparadiz', 'Ankurmarkam', 'shubham-01-star', 'Rajputusman', 'bharat13soni', 'przemeklal', 'p4checo', 'REDSKULL1412', 'GAURAVCHETTRI', 'DerDomml', 'Sunit25', 'divyansh123-max', 'hackerharsh007', 'Thecreativeone2001', 'nishkarshsingh-tech', 'Devyadav1994', 'Rajeshjha586', 'BoboTiG', 'nils-braun', 'DjDeveloperr', 'FreddieRidell', 'pratyxx525', 'abstergo43', 'impossibleshado1', 'Gurnoor007', '2303-kanha', 'ChaitanyaAg', 'justinjpacheco', 'shoaib5887khan', 'farhanmulla713', 'ashrafzeya', 'muke64', 'aditya08maker', 'rajbaba1', 'priyanshu-top10', 'Maharshi369', 'Deep-bhingradiya', 'shyam7e', 'shubhamsuman37', 'jastisriradheshyam', 'Harshit-10-pal', 'shivphp', 'RohanSahana', '404notfound-3', 'ritikkatiyar', 'ashishmohan0522', 'Amanisrar', 'VijyantVerma', 'Chetanchetankoli', 'Hultner', 'gongeprashant', 'psw89', 'harshilaneja', 'SLOKPATHAK', 'st1891', 'nandita853', 'ms-prob', 'Sk1llful', 'HarshKq', 'rpy9954', 'TheGunnerMan', 'AhsanKhokhar1', 'RajnishJha12', 'Adityapandey-7', 'vipulkumbhar0', 'nikhilkhetwal', 'Adityacoder99', 'arjun01-debug', 'saagargupta', 'UtCurseSingh', 'Anubhav07-pixel', 'Vinay584', 'YA7CR7', 'anirbanballav', 'mrPK', 'VibhakarYashasvi', 'ANKITMOHAPATRAPROGRAMS', 'parmar-hacky', 'zhacker1999', 'akshatjindal036', 'swarakeshrwani', 'ygajju52', 'Nick-Kr-Believe', 'adityashukl1502', 'mayank23raj', 'shauryamishra', 'swagat11', '007swayam', 'gardener-robot-ci-1', 'ARUNJAYSACHAN', 'MdUmar07', 'vermavinay8948', 'Rimjhim-Dey', 'prathamesh-jadhav-21', 'brijal96', 'siddhantparadox', 'Abhiporwal123', 'sparshbhardwaj209', 'Amit-Salunke-02', 'wwepavansharma', 'kirtisahu123', 'japsimrans13', 'wickedeagle', 'AnirbanB999', 'jayeshmishra', 'shahbazalam07', 'Samrath07', 'pinkuchoudhury69', 'moukhikgupta5', 'hih547430', 'burhankhan23', 'Rakesh0222', 'Rahatullah19', 'sanskar783', 'Eshagupta0106', 'Arpit-Tailong', 'Adityaaashu', 'rahul149', 'udit0912', 'aru5858', 'riya6361', 'vanshkhemani', 'Aditi0205', 'riteshbiswas0', '12Ayush12008039', 'Henry-786', 'ManviMaheshwari', 'SATHIYASEELAN2001', 'SuchetaPal', 'Sahil24822', 'sohamgit', 'Bhumi5599', 'anil-rathod', 'binayuchai', 'PujaMawandia123', '78601abhiyadav', 'PriiTech', 'SahilBhagtani', 'dhruv1214', 'SAURABHYAGYIK', 'farhanmansuri25', 'Chronoviser', 'airtel945', 'Swagnikdhar', 'tushar-1308', 'sameerbasha123', 'anshu15183', 'Mohit049', 'YUVRAJBHATI', 'miras143mom', 'ProPrakharSoni', 'pratikkhatana', 'Alan1857', 'AyanKrishna', 'kartikey2003jain', 'sailinkan', 'DEVELOPER06810', 'Abhijeet9274', 'Kannu12', 'Shivam-Amin', 'suraj-lpu', 'Elizah550', 'dipsylocus', 'jaydev-coding', 'IamLucif3r', 'DesignrKnight', 'PiyumalK', 'nandita853', 'mohsin529', 'ShravanBhat', 'doppelganger-test', 'smitgh', 'parasgarg123', 'Amit-Salunke-02', 'Chinmay-KB', 'sagarr1', 'Praveshrana12', 'fortrathon', 'miqbalrr', 'Ankurmarkam', 'saloni691', 'Bhuvan804', 'pra-b-hat-chauhan', 'snakesause', 'Shubhani25', 'arshad699', 'fahad-25082001', 'Chaitanya31612', 'tiwariraju', 'ritik0021', 'aakash-dhingra', 'Raunak017', 'ashrafzeya', 'priyanshu-top10', 'NikhilKumar-coder', 'ygajju52', 'shvnsh', 'abhishek7457', 'sethmcagit', 'Apurva122', 'Gurpreet-Singh-Bhupal', 'ashmit-coder', 'Rishi098', 'Xurde-glitch', 'imrohitoberoi', 'Hrushikeshsalunkhe', 'ABHI2598', 'Abhishek8-web', 'arjun01-debug', 'Shailesh12-svg', 'SachinSingh7050', 'VibhakarYashasvi', 'rajbaba1', 'yuvraj66', 'Nick-Kr-Believe', 'gongeprashant', 'sanskar783', 'infoguru19', 'Shamik225', 'Pro0131', 'soni-111', 'Rahul-bitu', 'meetshrimali', 'coolsuva', 'yogeshwaran01', 'Satyamtripathi1996', 'Rahatullah19', 'kartikey2003jain', 'rajarshi15220', 'SahilBhagtani', 'janni-03', 'Abhijit-06', 'dvlp-jrs', 'Viki3223', 'Azhad56', 'Mohit049', 'mvpsaurav', 'dvcrn', 'Deep-bhingradiya', 'shreyans2007', 'sailinkan', 'Abhijeet9274', 'riteshbiswas0', 'AhemadRazaK3', 'rishi123A', 'shivpatil', 'rikidas99', 'sohamgit', 'jheero', 'itzhv14', 'sameerbasha123', 'yatendra-dev', 'AditiGautam2000', 'sid0542', 'tushar-1308', 'dhruvil05', 'sufiyankhanz', 'Alan1857', 'siriusb79', 'PKan06', 'yagnikvadaliya', 'yogeshkun', 'Abhishekjhatech', 'jatinsharma11', 'THENNARASU-M', 'priyanshu987art', 'maulik922', 'param-de', 'nisheksharma', 'balbirsingh08', 'piyushkothari1999', 'zeeshanthedev590', 'praney-pareek', 'SUBHANGANI22', 'kartikeyaGUPTA45', 'Educatemeans', '9192939495969798', 'Amit1173', 'thetoppython', 'Saurabhsingh94', 'royalbhati', 'kardithSingh', 'kishankumar05', 'Rachit-hooda-man', 'alijng', 'patel-om', 'jahangirguru', 'Vchandan348', 'amitagarwalaa57', 'rockingrohit9639', 'Krishnapal-rajput', 'aman78954098', 'pranshuag1818', 'PIYUSH6791', 'Lachiemckelvie', 'Pragati-Gawande', 'mahesh2526', 'Aman9234', 'xMaNaSx', 'shreyanshnpanwar', 'Paravindvishwakarma', 'chandan-op', 'amit007-majhi', 'Rahul-TheHacker', 'sharmanityam252', 'iamnishan', 'codewithashu', 'mersonfufu', 'saksham05mathur', 'Krishna10798', 'rajashit14', 'aetios', 'pankajnimiwal', '132ikl', 'ghost', 'Sabyyy', '9Ankit00', 'AfreenKhan777', 'akash-bansal-02', 'regakakobigman', 'aman1750', 'irajdip99', 'mohdadil2001', 'shithinshetty', 'nikhilsawalkar', 'Brighu-Raina', 'kenkirito', 'SamueldaCostaAraujoNunes', 'codewithsaurav', 'Ashutoshvk18', 'EthicalRohit', 'ihimalaya', 'somya-max', 'themonkeyhacker', 'rammohan12345', 'JasmeetSinghWasal', 'black73', 'Rebelshiv', 'DarshanaNemane', 'Jitin20', 'Prakshal2607', 'Sourabhkale1', 'shoeb370', 'ArijitGoswami100', 'anju2408', 'ukybhaiii', 'anshulbhandari5', 'pratham1303', 'arpitdevv', 'RishabhGhildiyal', 'mohammedssab', 'deepakshisingh', 'Samshopify', 'ankitkumar827', 'anddytheone', 'Tush6571', 'pritam98-debug', 'Snehapriya9955', 'coastaldemigod', 'yogesh-1952', 'Vivekv11', 'Andrewrick1', 'DARSHIT006', 'pravar18', 'devildeep4u', '21appleceo', 'bereketsemagn', 'vandana-kotnala', 'tanya4113', 'gorkemkrdmn', 'Ashwin0512', 'prateekrathore1234', 'hash-mesh', 'pathak7838', 'sakshamdeveloper', 'ankan10', 'prafgup', 'anurag200502', 'niklifter', 'Shreeja1699', 'shivshikharsinha', 'SumanPurkait-grb', 'chiranjeevprajapat', 'TechieBoy', 'KhushiMittal', 'UtCurseSingh', 'lucastrogo', 'jarvis0302', 'ratan160', 'kgaurav123', 'dhakad17', 'Rishn99', 'codeme13', 'KINGUMS', 'sun-3', 'varunsingh251', 'thedrivingforc', 'aditya08maker', 'AkashVerma1515', 'gaurangbhavsar', 'ApurvaSharma20', 'Manmeet1999', 'Arhaans', 'Jaykitkukadiya', 'Rimjhim-Dey', 'apurv69', 'parth-lth', 'PranshuVashishtha', 'sidhantsharmaa', 'uday0001', 'iamrahul-9', 'nagpalnipun22', 'poonamp-31', 'dhananjaypatil', 'baibhavvishalpani', 'Ashish774-sol', 'sachin2490', 'Sudhanshu777871', 'mayur1234-shiwal', 'RohanWakhare', 'rishi4004', 'Amankumar019', 'Vaibhav162002', 'pratyushsrivastava500', 'AmarPaul-GiT', 'arjit-gupta', 'nitinchopade', 'imakg', 'meharshchakraborty', 'tumsabGandu', 'anurag360', '2000sanu', 'PoorviAgrawal56', 'omdhurat', 'Pawansinghla', 'thehacker-oss', 'mritu-mritu', 'AJAY07111998', 'rai12091997', 'OmShrivastava19', 'Divyanshu2109', 'adityaherowa', 'Abhishekt07', 'code-diggers-369', 'Jamesj001', 'coding-geek1711', 'govindrajpagul', 'CDP14', 'Kartik989-max', 'MaheshDoiphode', 'Pranayade777', 'er-royalprince', 'ricardoseriani', 'nowitsbalibhadra', 'navyaswarup', 'devendrathakare44', 'awaisulabdeen', 'SoumyaShree80', 'abahad7921', 'vishal0410', 'gajerachintan9', 'EBO9877', 'rohit-rksaini', 'momin786786', 'Shaurya-567', 'himanshu1079', 'AlecsFerra', 'rajvpatil5', 'Hacker-Boss', 'Rakesh0222', 'ASHMITA-DE', 'BilalSabugar', 'Anjan50', 'Vedant336', 'github2aman', 'satyamgta', 'kumar-vineet', 'uttamagrawal', 'AjaySinghPanwar', 'saieshdevidas', 'ohamshakya', 'JrZemdegs712', 'Anil404', 'Anamika1818', 'ssisodiya28', 'Vedurumudi-Priyanka', 'python1neo', 'sanketprajapati', 'InfinitelLoop', 'DarkMatter188', 'TanishqAhluwalia', 'J-yesh4939', 'sameer8991', 'ANSH-CODER-create', 'DeadShot-111', 'joydeepraina', 'Dhrupal19', 'Nikhil5511', 'lavyaKoli', 'jitu0956', 'parthika', 'digitalarunava', 'Shivamagg97', '23031999', 'Ashu-Modanwal', 'Singhichchha', 'pareekaabhi33', 'yashpatel008', 'yashwantkaushal', 'prem-smvdu', 'jains1234567890', 'Ritesh-004', 'shraddha8218', 'misbah9105', 'Tanishqpy', 'Iamtripathisatyam', 'mdnazam', 'akashkalal', 'Abhishekkumar10', 'chaitalimazumder', 'shubham1176', '866767676767', 'Priyanshu0131', 'Rajani12345678910', 'agrima84', 'DODOG98T', 'Abhishekaddu', 'ipriyanshuthakur', 'yogesh9555', 'shubham1234-os', 'abby486', 'YOGESH86400', 'jaggi-pixel', 'Utkarshdubey44', 'Mustafiz900', 'ashusaurav', 'Deepak27004', 'theHackPot', 'itsaaloksah', 'MakdiManush', 'Divyanshu09', 'codewithabhishek786', 'sumitkumar727254', 'faiz-9', 'soumyadipdaripa100', 'Prerna-eng', 'yourcodinsmas', 'akashnai', 'aryancoder4279', 'Anish-kumar7641', 'shivamkumar1999', 'Kushal34563', 'YashSinghyash', 'Alok070899', 'gautamdewasi', '5HAD0W-P1R4T3', 'rajkhatana', 'Himanshu-Sharma-java', 'yethish', 'Vikaskhurja', 'boomboom2003', 'mansigurnani', 'ansh8540', 'beingkS23', 'raksharaj1122', 'harshoswal', 'mitali-datascientist', 'daadestroyer', 'panudet-24mb', 'divy-koushik', 'Tanuj1234567', 'pattnaikp', 'Gauravsaha-97', '0x6D70', 'aptinstaller', 'SahilKhera14', 'Archie-Sharma', 'Chandan-program', 'shadowfighter2403', 'ivinodpatil2000', 'Souvik-py', 'NomanBaigA', 'UdhavKumar', 'rishabh-var123', 'NK-codeman0001', 'ritikkatiyar', 'ananey2004', 'tirth7677', 'Stud-dabral', 'dhruvsalve', 'treyssatvincent', 'AYUSHRAJ-WXYZ', 'JenisVaghasiya', 'KPRAPHULL', 'Apex-code', 'cypherrexx', 'AkilaDee', 'ankit-ec', 'darshan-10', 'Srijans01', 'Ankit00008', 'bijantitan', 'Jitendrayadav-eng', 'Tamonash-glitch', 'Ans-pro', 'yogesh8087', 'Sakshi2000-hash', 'shrbis2810', 'swagatopain6', 'mayankaryaman10', 'rajlomror', 'GauravNub', 'puru2407', 'KhushalPShah', 'aman7heaven', 'hazelvercetti', 'nil901', 'Ankitsingh6299', 'yashprasad8', 'Zapgithubexe', 'shiiivam', 'ShubhamGuptaa', 'viraj3315', 'Pratyush2005', 'jackSaluza', '03shivamkushwah', 'shahvraj20', 'manaskirad', 'Harsh08112001', 'R667180', 'PRATIKBANSDOE', 'MabtoorUlShafiq', 'dkyadav8282', 'prtk2001', 'MrDpk818', 'ParmGill00', 'kavya0116', 'gauravrai26', 'sachi9692', 'nj1902', 'akshatjindal036', 'shravanvis', 'ranjith660', 'sahemur', 'MDARBAAJ', 'Tylerdurdenn', 'hemantagrawal1808', 'luck804', 'vivekpatel09', 'ArushiGupta21', 'ray5541', 'arpitlathiya', 'Koshal67', 'harshul03', 'avinchudasama', 'PUJACHAUDHARY092', 'shaifali-555', 'coderidder', 'ravianandfbg', 'rohitnaththakur', 'KhanRohila', 'nikhilkr1402', 'abhijitk123', 'Jitendra2027', 'Roshan13046', 'satyam1316', 'shhivam005', 'V-Soni', 'iamayanofficial', 'kunaljainSgit', 'shriramsalunke-45', 'Laltu079', 'premkushwaha1', 'aryansingho7', 'rohitkalse', 'Royalsolanki', 'MAYANK25402', 'prakharlegend15', 'Ansh2831', 'aps-glitch', 'PJ-123-Prime', 'iamprathamchhabra', 'Bhargavi09', 'Shubham2443', 'YashAgarwalDev', 'ChandanDroid', 'SaurabhDev338', 'developerlives', 'Abhishek-hash', 'harshal1996', 'ritik9428', 'shadab19it', 'sarthakd999', 'Pruthviraj001', 'royalkingsava', 'manofelfin', 'vedantbirla', 'nishantkrgupta14', 'harsh1471', 'krabhi977', 'Pradipta0065', 'Ajeet2007', 'aman97703', 'Killersaint007', 'sachin8859', 'shubhamsuman37', 'rutuja2807', 'rishabh2204', 'Basal05', 'vipulkumbhar0', 'DSMalaviya', 'Mohit5700', 'pranaykrpiyush', 'Deepesh11-Code', 'yogikhandal', 'jigneshoo7', 'vishal-1264', 'RohanKap00r', 'Lokik18', 'harisharma12', 'PRESIDENT-caris', 'sandy56github', 'shreeya0505', 'Azumaxoid', 'Hagemaru69', 'sanju69', 'Roopeshrawat', 'hackersadd', 'coder0880', 'bajajtushar094', 'amitkumar8514', 'avichalsri', 'Satya-cod', 'andaugust', 'emtushar', 'snehalbiju12', 'lakshya05', 'Shaika07', 'John339', 'chetan-v', 'KrishnaAgarwal3458', 'rohit-1225', 'vaibhavjain2099', 'Pratheekb1', 'devu2000', 'Akhil88328832', 'anupam123148', 'pramod12345-design', 'Kartik192192', 'Kartik-Aggarwal', 'Ekansh5702', 'basitali97', 'TanishqKhetan', 'deecode15800', 'Vibhore-7190', 'Harsh-pj', 'vishalvishw10', 'runaljain255', 'RitikmishraRitik', 'akashtyagi0008', 'albert1800', 'Harsh1388-p', 'Omkar0104', 'Lakshitasaini8', 'vaibhav-87', 'AshimKr', 'joshi2727', 'vihariswamy', 'Sudhanshu-Srivastava', 'sameersahoo', 'YOGENDER-sharma', 'shashank06-sudo', 'irramshaiikh', 'Magnate2213', 'srishti0801', 'darshanchau', 'tanishka1745', 'Coder00sharma', 'gariya95', 'vedanttttt', 'codecpacka', 'vijay0960', 'tanya-98', 'Tarkeshwar999', 'RiderX24', 'BUNNY2210', 'yuvrajbagale', 'Pranchalkushwaha', 'Varun11940', 'khushhal213', 'Raulkumar', 'bekapish', 'shubhkr1023', 'mishrasanskriti802', 'vaibhavimekhe', 'HardikShreays', 'ab-rahman92', 'waytoheaven001', 'ambrajyaldandi', '100009224730519', 'Bikramdas04', 'mokshkant7', 'Harshcoder10', 'hvshete', 'sanmatipol', 'polankita', 'Vinit-Code04', 'Sheetal0601', 'harsh123-para', 'RitikSharma06', 'pankajmandal1996', 'AkshayNaphade', 'KaushalDevrari', 'ag3n7', 'SudershanSharma', 'naturese', 'Shubham-217', 'ateef-khan', 'sharad5987', 'anmolsahu901', 'sarkarbibrata', 'Chandramohan01', 'RAVI-SHEKHAR-SINGH', 'vinayak15-cyber', 'TheWriterSahb', 'way2dmark', 'Spramod23', 'Saurabgami977', 'doberoi10', 'Lakshya9425', 'megha1527', 'beasttiwari', 'gtg94', 'kshingala1', 'Dshivamkumar', 'smokkie087', 'RiserShaikh', 'explorerAndroid', 'Grace-Rasaily780', 'Harshacharya2020', 'SatvikVirmani', 'RishabhIshtwal', 'gargtanuj05', 'skilleddevil', 'XAFFI', 'BALAJIRAO676', 'neer007-cpu', 'JiimmyValentine', 'Dhruv8228', 'Devendranath-Maddula', 'abhishekaman3015', 'sudhir-12', 'Shashi-design', 'simplilearns', 'ThakurTulsi', 'rahulshastryd', 'Ankit9915', 'afridi1706', 'JaySingh23', 'DevCode-shreyas', 'Shivansh-K', 'kikisslass', 'swarup4544', 'shivam22chaudhary', 'smrn54', '521ramborahul', 'pretechscience', 'rudrakj', 'janidivy', 'SuvarneshKM', 'manishsuthar414', 'raghavbansal-sys', 'GoGi2712', 'therikesh', 'Anonymouslaj', 'devs7122', 'icmulnk77', 'ankit4-com', 'ansh4223', 'shudhanshubisht08', 'RN-01', 'iamsandeepprasad', 'neerajd007', 'rrishu', 'sameer0606', 'kunaldhar', 'sajal243', 'Arsalankhan111', 'RavindraPal2000', 'shubham5630994', 'ankit526', 'codewithaniket', 'meetpanchal017', 'Pranjal1362', 'ni30kp', 'kushalsoni123', 'Nishantcoedtu', 'vijaygupta18', 'Bishalsharma733', 'AnkitaMalviya', 'anianiket', 'hritik6774', 'krongreap', 'FlyingwithCaptainSoumya', 'himpat202', 'mahin651', 'mohit-jadhav-mj', 'kaushiknyay18', 'testinguser883', 'MdUmar07', 'Saumiya-Ranjan', 'cycric', 'mandliya456', 'kavipss', 'Sumit1777', 'ankitgusain', 'SKamal1998', 'Pritam-hrxcoder13', 'shruti-coder', 'Harshit-techno', 'Sanketpatil45', 'poojan-26', 'Nayan-Sinha', 'confievil', 'mrkishanda', 'abhishek777777777777', 'ankitnith99', 'Pushkar0', 'Sahil-Sinha', 'Anantvasu-cyber', 'priyanujbd23', 'divyanshmalik22', 'shreybhan', 'nirupam090', 'sohail000shaikh', 'dhruvvats-011', 'ATRI2107', 'Harjot9812', 'sougata18p', 'Amogh6315', 'NishanBanga', 'SaifVeesar', 'edipretoro', 'Amit10538', 'thewires2', 'jaswalsaurabh', 'siddh358', 'raj074', 'Sameer-create', 'goderos19', 'akash6194', 'Ketan19479', 'shubham-01-star', 'avijitmondal', 'khand420', 'kasarpratik31', 'jayommaniya', 'WildCard13', 'RishabhAgarwal345', 'mukultwr', 'Gauravrathi1122', 'abhinav-bit', 'ShivamBaishkhiyar', 'sudip682', 'neelshah6892', 'archit00007', 'Kara3', 'Akash5523', 'Pranshumehta', 'karan97144', 'parasraghav288', 'codingmastr', 'farzi56787', 'SAURABHYAGYIK', 'faizan7800', 'TheBinitGhimire', 'anandrathod143', 'Jeetrughani', 'aaditya2357', 'ADDY-666', 'kumarsammi3', 'prembhatt1916', 'Gourav5857', 'pradnyaghuge', 'Vishal-Aggarwal0305', 'prashant-45', 'abhishek18002', 'Deadlynector', 'ashishjangir02082001', 'RohitSingh04', 'Satyamtechy', 'shreyukashid', 'M-ux349', 'Riya123cloud', 'coder-beast-78', 'mrmaxx010204', 'npdoshi5', 'gobar07', 'rushi1313', 'Akashsah312', 'pksinghal585', 'rockyfarhan', 'JayeshDehankar', 'sarap224', 'yash752004', 'rohan241119', 'Nick-h4ck3r', 'abhishekA07', 'cjjain76', 'CodeWithYashraj', 'dkp888', 'rahil003', 'sachin694', 'Anjali0369', 'sumeet004', 'aryan1256', 'PNSuchismita', 'shash2407', 'Tanishk007', 'Yugalbuddy', 'Saurabh392', 'Saurabh299', 'DevanshGupta15', 'DeltaxHamster', 'darpan45', 'P-cpu', 'singhneha94', 'Nitish-McQueen', 'GRACEMARYMATHEW', 'ios-shah', 'Divanshu2402', 'asubodh', 'CypherAk007', 'nethracookie', 'guptaji609', 'thishantj', 'shivamsaini89', 'AntLab04', 'bit2u', 'AbhishekTiwari72', 'shreyashkharde', 'PrabhatP2000', 'amansahani60', 'shubham5888', 'Ashutoshkrs', 'scratcher007lakshya', 'SumitRodrigues', 'Harishit1466', 'Gouravbhardwaj1', 'shraiyya', 'SpooderManEXE', 'thelinuxboy', 'jamnesh', 'Nilesh425', 'machinegun20000', 'Brianodroid', 'sunnyjohari', 'TusharThakkar13', 'juned06', 'bindu-07', 'gautamsharma17', 'sonamvlog', 'iRajMishra', 'ayushgupta1915', 'Joker9050', 'Aakash1720', 'sakshiii-bit', 'mpsapps', 'deadshot9987', 'RobinKumar5986', 'thiszsachin', 'karanjoshi1206', 'sumitsisodiya', 'akashnavale18', 'spmhot', 'ashutoshhack', 'shivamupasanigg', 'rajaramrom', 'vksvikash85072', 'mohitkedia-github', 'vanshdeepcoder', 'rkgupta95', 'sushilmangnlae', 'Prakashmishra25', 'YashPatelH', 'prakash-jayaswal-au6', 'AnayAshishBhagat', 'Indian-hacker', 'ishaanbhardwaj', 'nish235', 'shubhampatil9125', 'Ankush-prog', 'Arpus87', 'kuldeepborkarjr', 'rajibbera', 'kt96914', 'nithubcode', 'ishangoyal8055', 'Samirbhajipale', 'AnshKumar200', 'salmansalim145', 'SAWANTHMARINGANTI', 'ankitts12', 'ketul2912', 'kdj309', 'nsundriyal62', 'manishsingh003', 'Deepak-max800', 'magicmasti428', 'sidharthpunathil', 'shyamal2411', 'auravgv', 'MrIconic27', 'anku-11-11', 'Suyashendra', 'WarriorSdg', 'pythoniseasy-hub', 'Nikk-code', 'Kutubkhan2005', 'kunal4421', 'apoorva1823000', 'singharsh0', 'sushobhitk', 'NavidMansuri5155', 'tanav8570', 'Durveshpal', 'dkishere2021', 'shubhamraj01', 'manthan14448', 'sahilmandoliya', 'Dewakarsonusingh', 'kalpya123', '9075yash', 'Aditya7851-AdiStarCoders', 'MrChau', 'ooyeayush', 'Vipinkumar12it', 'ayushyadav2001', 'akshay20105', 'prothehero', 'sam007143', 'subhojit75', 'Dhvanil25', 'ANKUSHSINGH-PAT', 'Apoorva-Shukla', 'GizmoGamingIn', 'Mahaveer173', 'Abhayrai778', 'adityarawat007', 'HarshKumar2001', 'mohitboricha', 'deepakpate07', 'Aish-18', 'Sakshi-2100', 'adarshdwivedi123', 'shubhamprakhar', 'Basir56', 'zerohub23', 'Shrish072003', 'yash3497', 'Alfax14910', 'khushboo-lab', 'Devam-Vyas', 'PPS-H', 'nimitshrestha', 'sunnythepatel', 'Tusharkumarofficial', 'Nikhilmadduri', 'hiddenGeeks', 'dearyash', 'shahvihan', 'BlackThor555', 'preetamsatpute555', 'RanniePavillon', 'dgbkn', 'Karan-Agarwal1', 'praanjaal-guptaa', 'Cha7410', 'ar2626715', 'suhaibshaik', 'gurkaranhub', 'Guptaji29', 'seekNdestory', 'gorujr', 'lokeshbramhe', 'Rakesh-roy', 'NKGupta07', 'hacky503boy', 'Harshit-Taneja', 'vishal3308', 'vibhor828', 'rabi477', 'ArinTyagi', 'RaviMahile', 'Ayushgreeshu', 'Deepak674', 'VikashAbhay', 'paddu-sonu', 'swapnil-morakhia', 'anshu7919', 'vickyshaw29', 'pawan941394', 'mayankrai123', 'riodelord', 'iamsmr', 'ramkrit', 'vijayjha15', 'Anurag346', 'vineetstar10', 'Amarjeetsingh6120000', 'ayush9000', 'staticman-net', 'piyush4github', 'Neal-01', 'sky00099', 'cjheath', 'pranavstar-1203', 'sjwarner', 'Sandeepana', 'ritikrkx21', 'alinasahoo', 'tech-vin', 'Atul-steamcoder', 'ranchodhamala11', 'pradnyahaval', 'Nishant2911', 'altaf71mansoori', 'codex111', 'anirbandey303', 'kishan-kushwaha', 'ashwinthomas28', 'adityasunny1189', 'sourav1122', 'Hozefa976', 'PratapSaren', 'vikram-3118', 'Deep22T', 'sidd4999', 'agrawalvinay699', 'anujsingh1913', 'SoniHariom555', 'AyushJoshi2001', 'barinder7', 'shishir-m98', 'abhishekkrdev', 'pmanaktala', 'Snehil101', 'Himanshsingh0753', 'sambhav2898', 'niteshsharma9', 'x-thompson3', 'Vipul-hash', 'MrityunjayR', 'Abhinav7272', 'prashant-pbh', 'Saswat-Gewali', 'Redcloud2020-coder', 'priyanka-prasad1', 'harshwardhan111', 'Rajendra-banna', 'Rajan24032000', 'Mariede', 'sakshi-jain24', 'arron-hacker', 'Aniket-ind', 'Devloper-Adil', 'Shubh2674', 'saloninahar', 'DipNkr', 'princekumar6', 'harshsingh121098', 'Rajneesh486Git', 'jitendragangwar', 'Jayesh-Kumar-Yadav', 'shudhii', 'Bishal-bit', 'sulemangit', 'Kushagra767', 'JSM2512', 'ovs1176', 'arfakl99', 'Premkr1110', 'YASH162', 'rp-singh1994', 'Deepu10172j', 'raghavk911', 'HardikN19', 'Gari1309', 'eklare19', 'rohitmore1012', 'Aabhash007', 'mohitsaha123', 'Bhagirath043', 'surajphulara', 'shaurya127', 'shubzzz98', 'mkarimi-coder', 'sakshi0309-champ', 'shivam623623', 'cheekudeveloper', 'Ashutosh-98765', 'Vaibhavipadamwar', 'shwetashrei', 'Banashree19', 'atharvashinde01', 'PrashantMehta-coder', 'kajolkumari150', 'Aqdashashmii', 'joyskmathew', 'pkkushagra', 'Rishrao09', 'Ashutoshrastogi02', 'JatulCodes', 'agarwals368', 'praveenbhardwaj', 'hardik302001', 'jagannathbehera444', 'jubyer00', 'SouravSarkar7', 'neerajsins', 'Rasam22', 'pk-bits', 'asawaronit60', 'anupama-nicky', 'Kishan-Kumar-Kannaujiya', 'carrycooldude', 'parasjain99', 'vishwatejharer', 'sayon-islam-23', 'sidhu56', 'Diwakarprasadlp', 'hashim361', 'Anantjoshie', 'bankateshkr', 'Mayank2001kh', 'RoyNancy', 'ayushsagar10', 'jaymishra2002', 'Anushka004', 'naitik-23', 'meraj97', 'gagangupta07', 'stark829', 'Muskan761', 'MrDeepakY', 'NayanPrakash11', 'shawnfrost69', 'thor174', 'Sumeet2442', 'ummekulsum123', 'akarsh2312', 'hemantmakkar', 'bardrock01', 'MrunalHole', 'chetanrakhra', 'pratik821', 'rahulkz', 'Akhilesh-ingle', 'pruthvi3007', 'Vanshi1999', 'sagarkb', 'CoderRushil', 'Shivansh2200', 'Ronak14999', 'srishtiaggarwal', 'adityakumar48', 'piyushchandana', 'Piyussshh', 'priyank-di', 'Vishwajeetbamane', 'moto-pixel', 'madmaxakshay', 'James-HACK', 'vikaschamyal', 'Arkadipta14', 'Abhishekk2000', 'Sushant012', 'Quint-Anir', 'navaloli', 'ronitsingh1405', 'vanshu25', 'samueldenzil', 'akashrajput25', 'sidhi100', 'ShivtechSolutions', 'vimal365', 'master77229', 'Shubham-Khetan-2005', 'vaishnavi-1', 'AbhijithSogal', 'Sid133', 'white-devil123', 'bawa2510', 'anjanikshree12', 'mansigupta1999', 'hritik229', 'engineersonal', 'adityaadg1997', 'mansishah20', '2shuux', 'Nishthajosh', 'ParthaDe94', 'abhi-io', 'Neha-119', 'Dungeonmaster07', 'Prathu121', 'anishloop7', 'cwmohit', 'shivamsri142', 'Sahil9511', 'NIKHILAVISHEK', 'amitpaswan9', 'devsharmaarihant', 'bilal509', 'BrahmajitMohapatra', 'rebelpower', 'Biswajitpradhan', 'sudhirhacker999', 'pydevtanya', 'Ashutosh147', 'jayeshmishra', 'rahul97407', 'athar10y2k', 'mrvasani48', 'raiatharva', 'Arj09', 'manish-109', 'aishwarya540', 'mohitjoshi81', 'PrathamAditya', 'K-Adrenaline', 'mrvlsaf', 'shivam9599', 'souravnitkkr', 'Anugya-Gogoi', 'AdityaTiwari64', 'yash623623', 'anjanik807', 'ujjwal193', 'TusharKapoor24', 'Ayushman278', 'osama072', 'aksahoo-1097', 'kishan-31802', 'Roshanpaswan', 'Himanshu-Prajapati', 'satyamraj48', 'NEFARI0US', 'kavitsheth', 'kushagra-18', 'khalane1221', 'ravleenkaur8368', 'Himanshu9430', 'uttam509', 'CmeherGit', 'sid5566', 'devaryan12123', 'ishanchoudhry', 'himanshu70043', 'skabhi001', 'tekkenpro', 'sandip1911', 'HarshvardhnMishra', 'krunalrocky', 'rohitkr-07', 'anshulgarg1234', 'hacky502boy', 'vivek-nagre', 'Hsm7085', 'amazingmj', 'Rbsingh9111', 'ronupanchal', 'mohitcodeshere', '1741Rishabh', 'Cypher2122', 'SahilDiwakar', 'abhigyan1000', 'HimanshuSharma5280', 'ProgrammerHarsh', 'Amitamit789', 'swapnilmutthalkar', 'enggRahul8git', 'BhuvnendraPratapSingh', 'Ronak1958', 'Knight-coder', 'Faizu123', 'shivansh987', 'mrsampage', 'AbhishikaAgarwal', 'Souvagya-Nayak', 'harsh287', 'Staryking', 'rmuliterno', 'kunjshah0703', 'KansaraPratham', 'GargoyleKing2112', 'Tanu-creater', 'satvikmittal638', 'gauravshinde-7', 'saabkapoor36', 'devangpawar', 'RiddhiCoder', 'Bilalrizwaan', 'sayyamjain78', '2606199', 'mayuresh4700', 'umang171', 'kramit9', 'surendraverma1999', 'raviu773986', 'Codewithzaid', 'Souvik-Bose-199', 'BeManas', 'JKHAS786', 'MrK232', 'aaryannipane', 'bronzegamer', 'hardikkushwaha', 'Anurag931999', 'dhruvalgupta2003', 'kaushal7806', 'JayGupta6866', 'mayank161001', 'ShashankPawsekar', '387daksh', 'Susanta-Nayak', 'Pratik-11', 'Anas-S-Shaikh', 'marginkantilal', 'Brijbihari24', 'Deepanshu761', 'Aakashlifehacker', 'SaketKaswa', 'dhritiduttroy', 'astitvagupta31', 'Prakhyat-Srivastava', 'Puneet405', 'harsh2630', 'sds9639', 'Prajwal38', 'simransharmarajni', 'Naman195', 'patience0721', 'Aman6651', 'tyagi1558', 'kmannnish', 'victorwpbastos', 'sagnik403', 'rahuly5544', 'PrinceKumarMaurya591', 'nakulwastaken', 'janmejayamet', 'HimanshuGupta11110000', 'Akshatcodes21', 'IRFANSARI', 'shreya991', 'pavan109', 'Parth00010', 'itzUG', 'Mayank-choudhary-SF', 'shubhamborse', 'Courage04', 'techsonu160', 'shivamkonkar', 'ErMapsh', 'roshan-githubb', 'Gourav502', 'SauravMiah', 'nikhil609', 'BenzylFernandes', 'BarnakGhosh', 'Aanchalgarg343', 'Madhav12345678', 'Tirth11', 'bhavesh1456', 'ajeet323327', 'AmitNayak9', 'lalitchauhan2712', 'raviroshan224', 'hellmodexxx', 'Dhruv1501', 'Himanshu6003', 'mystery2828', 'waris89', '2303-kanha', 'Anshuk-Mishra', 'amandeeptiwari22', 'Shashikant9198', 'Adityacoder99', 'Pradeepsharma7447', 'varunreddy57', 'uddeshaya', 'Priyanka0310-byte', 'adharsidhantgupta', 'Bhupander7', 'NomanSubhani', 'umeshkv2', 'Debosmit-Neogi', 'bhaktiagrawal088', 'Aashishsharma99', 'G25091998', 'mdkaif25', 'raj-jetani', 'chetanpujari5105', 'Agrawal-Rajat', 'Parthkrishnan', 'sameer-15', 'HD-Harsh-Doshi', 'Anvesha', 'karanmankoliya', 'armandatt', 'DakshSinghalIMS', 'Bhavyyadav25', 'surya123-ctrl', 'shubhambhawsar-5782', 'PAWANOP', 'mohit-singh-coder', 'Mradul-Hub', 'babai1999', 'Ritesh4726', 'Anuj-Solanki', 'abhi04neel', 'yashshahah', 'yogendraN27', 'Rishabh23-thakur', 'Indhralochan', 'harshvaghani', 'dapokiya', 'pg00019', 'AMITPKR', 'pawarrahul1002', 'mrgentlemanus', 'anurag-sonkar', 'aalsicoder07', 'harsh2699', 'Rahilkaxi', 'Jyotindra-21', 'dhruvilmehta', 'jacktherock', 'helpinubcomgr8', 'spcrze', 'aman707f', 'Nikkhil-J', 'Poonam798', 'devyansh2006', 'amanpj15', 'rudrcodes', 'STREIN-max', 'Adarsh-kushwaha', 'adxsh', 'Mohnish7869', 'Mrpalash', 'umangpincha', 'aniket1399', 'Sudip843', 'Amartya-Srivastav', 'Ananda1113', 'nobbitaa', 'shahmeet79', 'AmitM56', 'jiechencn', 'devim-stuffs', 'bkobl', 'kavindyasinthasilva', 'MochamadAhya29', 'misbagas', 'ksmarty', 'vedikaag99', 'nongshaba1337', 'daiyi', 'Saturia', 'llfj', '312494845', 'DeadPackets', 'Pandorax41', 'Kritip123', 'poburi', 'hffkb', 'cybrnook', 'lichaonetuser', 'l-k-a-m-a-z-a', 'zhaoshengweifeng', 'staticman-peoplesoftmods', 'ikghx', 'uguruyar', '513439077', 'f4nff', 'samspei0l', 'Seminlee94', 'inflabz', 'jack1988520', 'lanfenglin', 'sujalgoel', 'foldax', 'corejava', 'DarkReitor', 'amirpourastarabadi', 'Raess-rk1', 'ankit0183', 'jurandy007', 'davidbarratt', 'bertonjulian', 'TMFRook', 'qhmdi', 'QairexStudio', 'XuHewen', 'happyxhw', 'Mokaz24', 'andyteq', 'Grommish', 'fork-bombed', 'AZiMiao1122', '61569864', 'jeemgreen234', 'IgorKowalczykBot', 'sirpdboy', 'fjsnogueira', '9000000', 'ascott', 'aparcar', 'void9main', 'gerzees', 'javadnew5', 'belatedluck', 'calmsacibis995', 'maciejSamerdak', 'ghostsniper2018', 'rockertinsein', 'divarjahan', 'skywalkerEx', 'ehack-italy', 'Cloufish', 'aasoares', 'mustyildiz', 'Ras7', 'philly12399', 'cuucondiep', 'Nomake', 'z306334796', 'ball144love', 'armfc6161', 'Alex-coffen', 'rodrigodesouza07', 'lss182650', 'iphotomoto', 'overlordsaten', 'miaoshengwang', 'ManiakMCPE', 'Yazid0540570463', 'unnamegeek', 'brennvika', 'ardi66', 'Cheniour10', 'lxc1121', 'rfm-bot', 'cornspig', 'jedai47', 'ignotus09', 'kamal7641', 'Dabe11', 'dgder0', 'Nerom', 'luixiuno', 'zh610902551', 'wifimedia', 'mjoelmendes', 'pc2019', 'hellodong', 'lkfete', 'a7raj', 'willquirk', 'xyudikxeon1717171717', '420hackS', 'mohithpokala', 'tranglc', 'ilyankou', 'hhmaomao', 'hongjuzzang', 'Mophee-ds', 'wetorek', 'apktesl', 'jaylac2000', 'BishengSJTU', 'elfring', 'ThomasGrund', 'coltonios', 'kouhe3', 'balaji-29', 'demo003', 'gfsupport', 'AlonzoLax', 'tazmanian-hub', 'qwerttvv', 'kotucocuk', 'ajnair100', 'jirayutza1', 'karolsw3', 'shenzt68', 'xpalm', 'adamwebrog', 'jackmahoney', 'chenwangnec', 'hanlihanshaobo', 'jannik-mohemian', 'Pablosky12', '95dewadew', 'dcharbonnier', 'chapmanvoris', 'nishantingle999', 'gulabraoingle', 'kalyaniingle', 'BoulavardDepo', 'amingoli78', 'daya2940', 'roaddogg2k2', 'AmbroseRen', 'jayadevvasudevan', 'pambec', 'orditeck', 'muhammetcan34', 'Aman199825', 'hyl946', 'CyberSecurityUP', 'kokum007', 'shivamjaiswal64', 'Skub123', 'KerimG', 'thehexmor', 'jakaya123', 'Ashish24788', 'qhuy1501', 'TranVanDinh235', 'Thuong1998', 'TranTheTuan', 'anhtuyenuet', 'tranhuongk', 'danhquyen0109', 'hunghv-0939', 'dat-lq-234', 'nguyenducviet1999', 'Rxzzma', 'MrRobotjs', 'jonschlinkert', 'awsumbill', 'lastle', 'gaga227', 'maiquangminh', 'andhie-wijaya', 'penn5', 'FormosaZh', 'itz63c', 'AvinashReddy3108', 'ferchlam', 'noobvishal', 'ammarraisafti', 'authenticatorbot', 'SekiBetu', 'markkap', 'wyd6295578sk', 'lorpus', 'Camelsvest', 'ben-august', 'jackytang', 'dominguezcelada', 'tony1016', 'afuerhoff420', 'darkoverlordofdata', 'yihanwu1024', 'bromiao', 'MaxEis', 'kyf15596619', 'Reysefyn', 'THEROCK2512', 'Krystool', 'Adomix', 'splexpe', 'hugetiny', 'mikeLongChen', 'KlansyMsniv', 'Anony1234mo', 'Mygod', 'chenzesam', 'vatayes', 'fisher134', 'bmaurizio', 'fire-bot', 'kjbot-github', 'Dcollins66', 'dislash', 'noraj', 'theLSA', 'chadyj', 'AlbertLiu-Breeze', 'jspspike', 'kill5Witchd', 'repushko', 'ankushshekhawat', 'karan1dhir', 'venkatvani', 'tracyxiong1', 'PythxnBite', 'vamshi0997', 'himanshu345', 'prabhat2001', 'aakar345', 'rangers9708', 'anuragiiitm', 'AlfieBurns12345678910', 'marpernas', 'jrcole2884', 'deshanjali', 'alekh42', 'deepakgangore', 'SuperBeagleDog', 'vasiliykovalev', 'lyin888', 'tchainzzz', 'Theoask', 'jnikita356', 'ajay1706', 'gane5hvarma', 'pbhavesh2807', 'daniloeler', 'gabrielrab', 'djdamian210', '1samuel411', 'Apoorv1', 'AnimatedAnand', '7coil', 'trentschnee', 'himanshu435', 'dialv', 'DHRUV536', 'pratyushraj01', 'vedantv', 'yusronrizki', 'joaoguazzelli', 'pradnyesh45', 'aneeshaanjali', 'iREDMe', 'ashish010598', 'abhi1998das', 'keshriraj7870', 'vishad2', 'Navzter', 'jagadyudha', 'hrom405', 'seferov', 'umeshdhauni', 'sakshamkhurana97', 'ThatNerdyPikachu', 'dishantsethi', 'tharindumalshan1', 'ruderbytes', 'pr-jli', '21RachitShukla', 'fellipegs', 'foolbirds', 'hariprasetia', 'tanyaagrawal1006', 'Gaurav1309Goel', 'vidurathegeek', 'wolfsoldier47', 'bhaskar24', 'thedutchruben', 'Qoyyuum', 'msdeibel', 'Nann', 'bksahu', 'sathyamoorthyrr', 'sbenstewart', 'supriyanta', 'MasterKN48', 'prkhrv', 'Blatantz', 'rahulgoyal911', 'ranyejun', 'decpr', 'apollojoe', 'SuperAdam47', 'RootUp', 'llronaldoll', 'jayadeepgilroy', 'Arunthomas1105', 'zhanwenzhuo-github', 'dennisslol006', 'xFreshie', 'servantthought', 'Geilivable', 'xushet', 'order4adwriter', 'dubrovka', 'Nmeyers75', 'p3p5170', 'yangkun6666', 'knight6414', 'nailanawshaba', 'tuhafadam', 'stainbank', '52fhy', 'jiyanmizah', 'iotsys', 'zhangxiao921207', 'empsmoke', 'asugarr', 'Amonhuz', 'VinayaSathyanarayana', 'html5lover', 'peterambrozic', 'maomaodegushi', 'ShelbsLynn', 'AmmarAlzoubi', 'AlessioPellegrini', 'tetroider', '404-geek', 'mohammed078', 'sugus25', 'mxdi9i7', 'sahilmalhotra24', 'furqanhaidersyed', 'ChurchCRMBugReport', 'shivamkapoor3198', 'wulongji2016', 'jjelschen', 'bj2015', 'tangxuelong', 'gunther-bachmann', 'marcos-tomaz', 'anette68', 'techiadarsh', 'nishantmadu', 'Nikhil2508', 'anoojlal', 'krischoi07', 'utkarshyadavin', 'amanPanth', 'chinurox', 'syedbilal5000', 'NidPlays', 'jirawat050', 'RealAnishSharma', 'bwegener', 'whyisjacob', 'naveenpucha8', 'ronaksakhuja', 'ju3tin', 'DT9', 'dorex22', 'hiendinhngoc', 'mlkorra', 'Christensenea', 'Mouse31', 'VeloxDevelopment', 'parasnarang1234', 'beilo', 'armagadon159753', 'andrewducker', 'NotMainScientist', 'alterem', 'MilkAndCookiz', 'Justinshakes', 'TheColdVoid', 'falconxunit', '974648183', 'minenlink', 'thapapinak', 'lianghuacheng', 'ben3726', 'BjarniRunar', 'Taki21', 'zsytssk', 'Apple240Bloom', 'shubham436', 'LoOnyBiker', 'uasi', 'wailoamrani', 'AnimeOverlord7', 'zzyzy', 'ignitete', 'vikstrous', 's5s5', 'tianxingvpn', 'talib1410', 'vinymv', 'yerikyy', 'Honsec', 'chesterwang', 'perryzou', 'Meprels', 'mfat', 'mo-han', 'roganoalien', 'amoxicillin', 'AbelLai', 'whatisgravity', 'darshankaarki', 'Tshifhiwa84', 'CurtainTears', 'gaotong2055', 'appleatiger', 'hdstar2009', 'TommyJerryMairo', 'GoogleCodeExporter']
|
"""
The Stock module is responsible for Stock management.
It includes models for:
- StockLocation
- StockItem
- StockItemTracking
"""
|
"""
The Stock module is responsible for Stock management.
It includes models for:
- StockLocation
- StockItem
- StockItemTracking
"""
|
while True:
A,B,C=map(int,input().split())
if not A: exit()
if A+B+C<=max(A,B,C)*2: print('Invalid')
elif A==B==C: print('Equilateral')
elif True in (A==B,A==C,B==C): print('Isosceles')
else: print('Scalene')
|
while True:
(a, b, c) = map(int, input().split())
if not A:
exit()
if A + B + C <= max(A, B, C) * 2:
print('Invalid')
elif A == B == C:
print('Equilateral')
elif True in (A == B, A == C, B == C):
print('Isosceles')
else:
print('Scalene')
|
class BigO_of_1(object):
def check_index_0_is_int(self, value_list):
if value_list[0] == int(value_list[0]):
return True
class BigO_of_N(object):
def double_values(self, value_list):
for i in range(0, len(value_list)):
value_list[i] *= 2
return value_list
class BigO_of_N_Squared(object):
def create_spam_field(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append('spam')
return value_list
class BigO_of_N_Cubed(object):
def create_spam_space(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append([])
for k in range (0, len(value_list)):
value_list[i][j].append('spam')
return value_list
class BigO_of_N_to_the_Fourth(object):
def create_spam_hyperspace(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append([])
for k in range(0, len(value_list)):
value_list[i][j].append([])
for l in range(0, len(value_list)):
value_list[i][j][k].append('spam')
return value_list
class BigO_of_2_to_the_N(object):
def get_factorial(self, value):
final_number = 0
if value > 1:
final_number = value * self.get_factorial(value - 1)
return final_number
else:
return 1
class BigO_of_N_log_N(object):
def sort_list(self, value_list):
return sorted(value_list)
|
class Bigo_Of_1(object):
def check_index_0_is_int(self, value_list):
if value_list[0] == int(value_list[0]):
return True
class Bigo_Of_N(object):
def double_values(self, value_list):
for i in range(0, len(value_list)):
value_list[i] *= 2
return value_list
class Bigo_Of_N_Squared(object):
def create_spam_field(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append('spam')
return value_list
class Bigo_Of_N_Cubed(object):
def create_spam_space(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append([])
for k in range(0, len(value_list)):
value_list[i][j].append('spam')
return value_list
class Bigo_Of_N_To_The_Fourth(object):
def create_spam_hyperspace(self, value_list):
for i in range(0, len(value_list)):
value_list[i] = []
for j in range(0, len(value_list)):
value_list[i].append([])
for k in range(0, len(value_list)):
value_list[i][j].append([])
for l in range(0, len(value_list)):
value_list[i][j][k].append('spam')
return value_list
class Bigo_Of_2_To_The_N(object):
def get_factorial(self, value):
final_number = 0
if value > 1:
final_number = value * self.get_factorial(value - 1)
return final_number
else:
return 1
class Bigo_Of_N_Log_N(object):
def sort_list(self, value_list):
return sorted(value_list)
|
class EmptyStackException(Exception):
pass
class Node:
def __init__(self, value=None):
self.value = value
self.next = None
class Stack:
def __init__(self, node=None):
self.top = node
def push(self, value):
if not self.top:
self.top = Node(value)
else:
node = Node(value)
node.next = self.top
self.top = node
def pop(self):
if not self.is_empty():
temp = self.top
self.top = self.top.next
temp.next = None
return temp.value
raise EmptyStackException("Cannot pop from an empty stack")
def is_empty(self):
""" Returns True if Empty and false otherwise """
if self.top:
return False
return True
def peek(self):
""" Returns the value at the top without modifying the stack, raises an exception otherwise """
if not self.is_empty():
return self.top.value
raise EmptyStackException("Cannot peek an empty stack")
def __str__(self):
current = self.top
items = []
while current:
items.append(str(current.value))
current = current.next
return "\n".join(items)
#@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@@#####
class PseudoQueue:
def __init__(self, node=None):
self.stack = Stack()
self.reversed_stack = Stack()
def enqueue(self, value):
self.stack.push(value)
def dequeue(self):
if not self.stack.is_empty():
while not self.stack.is_empty():
popped = self.stack.pop()
self.reversed_stack.push(popped)
result = self.reversed_stack.pop()
if self.stack.is_empty():
while not self.reversed_stack.is_empty():
self.stack.push(self.reversed_stack.pop())
return result
else:
raise EmptyStackException("Cannot pop from an empty stack")
def peek(self):
""" Returns the value at the top without modifying the queue, raises an exception otherwise """
if not self.stack.is_empty():
current = self.stack.top
items = []
while current:
items.insert(0,str(current.value))
current = current.next
return items[0]
raise EmptyStackException("Cannot peek an empty stack")
def __str__(self):
current = self.stack.top
items = []
while current:
items.insert(0,str(current.value))
current = current.next
return "\n".join(items)
pseudoQueue = PseudoQueue()
pseudoQueue.enqueue(1)
pseudoQueue.enqueue(2)
pseudoQueue.enqueue(3)
pseudoQueue.dequeue()
print(pseudoQueue.peek())
print(pseudoQueue)
|
class Emptystackexception(Exception):
pass
class Node:
def __init__(self, value=None):
self.value = value
self.next = None
class Stack:
def __init__(self, node=None):
self.top = node
def push(self, value):
if not self.top:
self.top = node(value)
else:
node = node(value)
node.next = self.top
self.top = node
def pop(self):
if not self.is_empty():
temp = self.top
self.top = self.top.next
temp.next = None
return temp.value
raise empty_stack_exception('Cannot pop from an empty stack')
def is_empty(self):
""" Returns True if Empty and false otherwise """
if self.top:
return False
return True
def peek(self):
""" Returns the value at the top without modifying the stack, raises an exception otherwise """
if not self.is_empty():
return self.top.value
raise empty_stack_exception('Cannot peek an empty stack')
def __str__(self):
current = self.top
items = []
while current:
items.append(str(current.value))
current = current.next
return '\n'.join(items)
class Pseudoqueue:
def __init__(self, node=None):
self.stack = stack()
self.reversed_stack = stack()
def enqueue(self, value):
self.stack.push(value)
def dequeue(self):
if not self.stack.is_empty():
while not self.stack.is_empty():
popped = self.stack.pop()
self.reversed_stack.push(popped)
result = self.reversed_stack.pop()
if self.stack.is_empty():
while not self.reversed_stack.is_empty():
self.stack.push(self.reversed_stack.pop())
return result
else:
raise empty_stack_exception('Cannot pop from an empty stack')
def peek(self):
""" Returns the value at the top without modifying the queue, raises an exception otherwise """
if not self.stack.is_empty():
current = self.stack.top
items = []
while current:
items.insert(0, str(current.value))
current = current.next
return items[0]
raise empty_stack_exception('Cannot peek an empty stack')
def __str__(self):
current = self.stack.top
items = []
while current:
items.insert(0, str(current.value))
current = current.next
return '\n'.join(items)
pseudo_queue = pseudo_queue()
pseudoQueue.enqueue(1)
pseudoQueue.enqueue(2)
pseudoQueue.enqueue(3)
pseudoQueue.dequeue()
print(pseudoQueue.peek())
print(pseudoQueue)
|
# Language: Python 3
if __name__ == '__main__':
s = input()
n = any(i.isalnum() for i in s)
a = any(i.isalpha() for i in s)
d = any(i.isdigit() for i in s)
l = any(i.islower() for i in s)
u = any(i.isupper() for i in s)
print(n, a, d, l, u, sep="\n")
|
if __name__ == '__main__':
s = input()
n = any((i.isalnum() for i in s))
a = any((i.isalpha() for i in s))
d = any((i.isdigit() for i in s))
l = any((i.islower() for i in s))
u = any((i.isupper() for i in s))
print(n, a, d, l, u, sep='\n')
|
with open("input", 'r') as f:
lines = f.readlines()
# lines = [x.strip("\n") for x in lines]
lines.append("\n")
total = 0
answers = set()
for line in lines:
if line == "\n":
total += len(answers)
answers = set()
else:
for letter in line.strip("\n"):
answers.add(letter)
print("Total: {}".format(total))
|
with open('input', 'r') as f:
lines = f.readlines()
lines.append('\n')
total = 0
answers = set()
for line in lines:
if line == '\n':
total += len(answers)
answers = set()
else:
for letter in line.strip('\n'):
answers.add(letter)
print('Total: {}'.format(total))
|
#pass is just a placeholder which does nothing
def func():
pass
for i in [1,2,3,4,5]:
pass
|
def func():
pass
for i in [1, 2, 3, 4, 5]:
pass
|
del_items(0x800A0E8C)
SetType(0x800A0E8C, "void VID_OpenModule__Fv()")
del_items(0x800A0F4C)
SetType(0x800A0F4C, "void InitScreens__Fv()")
del_items(0x800A103C)
SetType(0x800A103C, "void MEM_SetupMem__Fv()")
del_items(0x800A1068)
SetType(0x800A1068, "void SetupWorkRam__Fv()")
del_items(0x800A10F8)
SetType(0x800A10F8, "void SYSI_Init__Fv()")
del_items(0x800A1204)
SetType(0x800A1204, "void GM_Open__Fv()")
del_items(0x800A1228)
SetType(0x800A1228, "void PA_Open__Fv()")
del_items(0x800A1260)
SetType(0x800A1260, "void PAD_Open__Fv()")
del_items(0x800A12A4)
SetType(0x800A12A4, "void OVR_Open__Fv()")
del_items(0x800A12C4)
SetType(0x800A12C4, "void SCR_Open__Fv()")
del_items(0x800A12F4)
SetType(0x800A12F4, "void DEC_Open__Fv()")
del_items(0x800A1568)
SetType(0x800A1568, "char *GetVersionString__FPc(char *VersionString2)")
del_items(0x800A163C)
SetType(0x800A163C, "char *GetWord__FPc(char *VStr)")
|
del_items(2148142732)
set_type(2148142732, 'void VID_OpenModule__Fv()')
del_items(2148142924)
set_type(2148142924, 'void InitScreens__Fv()')
del_items(2148143164)
set_type(2148143164, 'void MEM_SetupMem__Fv()')
del_items(2148143208)
set_type(2148143208, 'void SetupWorkRam__Fv()')
del_items(2148143352)
set_type(2148143352, 'void SYSI_Init__Fv()')
del_items(2148143620)
set_type(2148143620, 'void GM_Open__Fv()')
del_items(2148143656)
set_type(2148143656, 'void PA_Open__Fv()')
del_items(2148143712)
set_type(2148143712, 'void PAD_Open__Fv()')
del_items(2148143780)
set_type(2148143780, 'void OVR_Open__Fv()')
del_items(2148143812)
set_type(2148143812, 'void SCR_Open__Fv()')
del_items(2148143860)
set_type(2148143860, 'void DEC_Open__Fv()')
del_items(2148144488)
set_type(2148144488, 'char *GetVersionString__FPc(char *VersionString2)')
del_items(2148144700)
set_type(2148144700, 'char *GetWord__FPc(char *VStr)')
|
def mergeSort(a, temp, leftStart, rightEnd):
if(leftStart >= rightEnd):
return
middle = int((leftStart + rightEnd) / 2)
mergeSort(a, temp, leftStart, middle)
mergeSort(a, temp, middle + 1, rightEnd)
merge(a, temp, leftStart, middle, rightEnd)
return
def merge(a, temp, leftStart, middle, rightEnd):
left = leftStart
right = middle + 1
index = leftStart
while(left <= middle and right <= rightEnd):
if(a[left] <= a[right]):
temp[index] = a[left]
left += 1
else:
temp[index] = a[right]
right += 1
index += 1
while left <= middle:
temp[index] = a[left]
left += 1
index += 1
while right <= rightEnd:
temp[index] = a[right]
right += 1
index += 1
a[leftStart:rightEnd+1] = temp[leftStart:rightEnd+1]
|
def merge_sort(a, temp, leftStart, rightEnd):
if leftStart >= rightEnd:
return
middle = int((leftStart + rightEnd) / 2)
merge_sort(a, temp, leftStart, middle)
merge_sort(a, temp, middle + 1, rightEnd)
merge(a, temp, leftStart, middle, rightEnd)
return
def merge(a, temp, leftStart, middle, rightEnd):
left = leftStart
right = middle + 1
index = leftStart
while left <= middle and right <= rightEnd:
if a[left] <= a[right]:
temp[index] = a[left]
left += 1
else:
temp[index] = a[right]
right += 1
index += 1
while left <= middle:
temp[index] = a[left]
left += 1
index += 1
while right <= rightEnd:
temp[index] = a[right]
right += 1
index += 1
a[leftStart:rightEnd + 1] = temp[leftStart:rightEnd + 1]
|
# Copyright Amazon.com, Inc. or its affiliates. All Rights Reserved.
# SPDX-License-Identifier: MIT-0
"""Amazon Textract + LayoutLM model training and inference code package for SageMaker
Why the extra level of nesting? Because the src folder (even if __init__ is present) is not loaded
as a Python module during training, but rather as the working directory. This requires a different
import syntax for top-level files/folders (`import config`, not `from . import config`) than you
would see if your working directory was different (for example when you `from src import code` to
use it from one of the notebooks).
Wrapping this code in an extra package folder ensures that - regardless of whether you use it from
notebook, in SM training job, or in some other app - relative imports *within* this code/ folder
work correctly.
"""
|
"""Amazon Textract + LayoutLM model training and inference code package for SageMaker
Why the extra level of nesting? Because the src folder (even if __init__ is present) is not loaded
as a Python module during training, but rather as the working directory. This requires a different
import syntax for top-level files/folders (`import config`, not `from . import config`) than you
would see if your working directory was different (for example when you `from src import code` to
use it from one of the notebooks).
Wrapping this code in an extra package folder ensures that - regardless of whether you use it from
notebook, in SM training job, or in some other app - relative imports *within* this code/ folder
work correctly.
"""
|
def ans(n):
global fib
for i in range(1,99):
if fib[i]==n: return n
if fib[i+1]>n: return ans(n-fib[i])
fib=[1]*100
for i in range(2,100):
fib[i]=fib[i-1]+fib[i-2]
n=int(input())
print(ans(n))
|
def ans(n):
global fib
for i in range(1, 99):
if fib[i] == n:
return n
if fib[i + 1] > n:
return ans(n - fib[i])
fib = [1] * 100
for i in range(2, 100):
fib[i] = fib[i - 1] + fib[i - 2]
n = int(input())
print(ans(n))
|
#
# This file contains the Python code from Program 7.23 of
# "Data Structures and Algorithms
# with Object-Oriented Design Patterns in Python"
# by Bruno R. Preiss.
#
# Copyright (c) 2003 by Bruno R. Preiss, P.Eng. All rights reserved.
#
# http://www.brpreiss.com/books/opus7/programs/pgm07_23.txt
#
class SortedList(OrderedList):
def __init__(self):
super(SortedList, self).__init__()
|
class Sortedlist(OrderedList):
def __init__(self):
super(SortedList, self).__init__()
|
'''Program to read a number and check whether it is duck number or not.
Hint: A duck number is a number which has zeros present in it, but no zero present in the begining of the number.
Input Format
a number from the user
Constraints
n>=0
Output Format
Yes or No
Sample Input 0
123
Sample Output 0
No
Sample Input 1
140
Sample Output 1
Yes'''
#solution
def duck(num):
num.lstrip('0')
if num.count('0')>0:
return "Yes"
return "No"
print(duck(input()))
|
"""Program to read a number and check whether it is duck number or not.
Hint: A duck number is a number which has zeros present in it, but no zero present in the begining of the number.
Input Format
a number from the user
Constraints
n>=0
Output Format
Yes or No
Sample Input 0
123
Sample Output 0
No
Sample Input 1
140
Sample Output 1
Yes"""
def duck(num):
num.lstrip('0')
if num.count('0') > 0:
return 'Yes'
return 'No'
print(duck(input()))
|
consumer_key = "TSKf1HtYKBsnYU9qfpvbRJkxo"
consumer_secret = "Y5lH7u6MDu5DjV5hUxEkwUpPwugYvEuqfpqyvP7y5ulen9XUML"
access_token = '115029611-4TampaXbxHmUHcpK5Cll8h7rioP80SJMNneZiYCN'
access_secret = 'wx4iaVvgvY5ZknCn6bOiKFiTzAU62R5PXC8b29RC6alwU'
|
consumer_key = 'TSKf1HtYKBsnYU9qfpvbRJkxo'
consumer_secret = 'Y5lH7u6MDu5DjV5hUxEkwUpPwugYvEuqfpqyvP7y5ulen9XUML'
access_token = '115029611-4TampaXbxHmUHcpK5Cll8h7rioP80SJMNneZiYCN'
access_secret = 'wx4iaVvgvY5ZknCn6bOiKFiTzAU62R5PXC8b29RC6alwU'
|
# Breadth First Search and Depth First Search
class BinarySearchTree:
def __init__(self):
self.root = None
# Insert a new node
def insert(self, value):
new_node = {
'value': value,
'left': None,
'right': None
}
if not self.root:
self.root = new_node
else:
current_node = self.root
while True:
if value < current_node['value']:
# Going left
if not current_node['left']:
current_node['left'] = new_node
break
current_node = current_node['left']
else:
# Going right
if not current_node['right']:
current_node['right'] = new_node
break
current_node = current_node['right']
return self
# Search the tree for a value
def lookup(self, value):
if not self.root:
return None
current_node = self.root
while current_node:
if value < current_node['value']:
# Going left
current_node = current_node['left']
elif value > current_node['value']:
# Going right
current_node = current_node['right']
elif current_node['value'] == value:
return current_node
return f'{value} not found'
# Remove a node
def remove(self, value):
if not self.root:
return False
# Find a number and its succesor
current_node = self.root
parent_node = current_node
while current_node:
if value < current_node['value']:
parent_node = current_node
current_node = current_node['left']
elif value > current_node['value']:
parent_node = current_node
current_node = current_node['right']
# if a match
elif current_node['value'] == value:
# CASE 1: No right child:
if current_node['right'] == None:
if parent_node == None:
self.root = current_node['left']
else:
# if parent > current value, make current left child a child of parent
if current_node['value'] < parent_node['value']:
parent_node['left'] = current_node['left']
# if parent < current value, make left child a right child of parent
elif current_node['value'] > parent_node['value']:
parent_node['right'] = current_node['left']
return f'{value} was removed'
# CASE 2: Right child doesn't have a left child
elif current_node['right']['left'] == None:
current_node['right']['left'] = current_node['left']
if parent_node == None:
self.root = current_node['right']
else:
# if parent > current, make right child of the left the parent
if current_node['value'] < parent_node['value']:
parent_node['left'] = current_node['right']
# if parent < current, make right child a right child of the parent
elif current_node['value'] > parent_node['value']:
parent_node['right'] = current_node['right']
return f'{value} was removed'
# CASE 3: Right child that has a left child
else:
# find the Right child's left most child
leftmost = current_node['right']['left']
leftmost_parent = current_node['right']
while leftmost['left'] != None:
leftmost_parent = leftmost
leftmost = leftmost['left']
# Parent's left subtree is now leftmost's right subtree
leftmost_parent['left'] = leftmost['right']
leftmost['left'] = current_node['left']
leftmost['right'] = current_node['right']
if parent_node == None:
self.root = leftmost
else:
if current_node['value'] < parent_node['value']:
parent_node['left'] = leftmost
elif current_node['value'] > parent_node['value']:
parent_node['right'] = leftmost
return f'{value} was removed'
# if value not found
return f'{value} not found'
# Memmory consumption is big - if the tree is wide, don't use it
def breadth_first_seacrh(self):
# start with the root
current_node = self.root
l = [] # answer
queue = [] # to keep track of children
queue.append(current_node)
while len(queue) > 0:
current_node = queue.pop(0)
l.append(current_node['value'])
if current_node['left']:
queue.append(current_node['left'])
if current_node['right']:
queue.append(current_node['right'])
return l
# Recursive BFS
def breadth_first_seacrh_recursive(self, queue, l):
if not len(queue):
return l
current_node = queue.pop(0)
l.append(current_node['value'])
if current_node['left']:
queue.append(current_node['left'])
if current_node['right']:
queue.append(current_node['right'])
return self.breadth_first_seacrh_recursive(queue, l)
# Determine if the tree is a valid BST
def isValidBST(self, root):
queue = []
current_value = root
prev = -float('inf')
while current_value or queue:
# Add all left nodes into the queue starting from the root
if current_value:
queue.append(current_value)
current_value = current_value['left']
else:
# Compare each node from the queue
# to its parent node
last_value = queue.pop()
if last_value:
if last_value['value'] <= prev:
return False
prev = last_value['value']
# Repeat for the right node
current_value = last_value['right']
return True
# In-order -> [1, 4, 6, 9, 15, 20, 170]
def depth_first_search_in_order(self):
return traverse_in_order(self.root, [])
# Pre-order -> [9, 4, 1, 6, 20, 15, 170] - Tree recreation
def depth_first_search_pre_order(self):
return traverse_pre_order(self.root, [])
# Post-order -> [1, 6, 4, 15, 170, 20, 9] - children before parent
def depth_first_search_post_order(self):
return traverse_post_order(self.root, [])
def traverse_in_order(node, l):
if node['left']:
traverse_in_order(node['left'], l)
l.append(node['value'])
if node['right']:
traverse_in_order(node['right'], l)
return l
def traverse_pre_order(node, l):
l.append(node['value'])
if node['left']:
traverse_pre_order(node['left'], l)
if node['right']:
traverse_pre_order(node['right'], l)
return l
def traverse_post_order(node, l):
if node['left']:
traverse_post_order(node['left'], l)
if node['right']:
traverse_post_order(node['right'], l)
l.append(node['value'])
return l
if __name__ == '__main__':
tree = BinarySearchTree()
tree.insert(9)
tree.insert(4)
tree.insert(6)
tree.insert(20)
tree.insert(170)
tree.insert(15)
tree.insert(1)
print('BFS', tree.breadth_first_seacrh())
print('BFS recursive',
tree.breadth_first_seacrh_recursive([tree.root], []))
print('DFS in-order', tree.depth_first_search_in_order())
print('DFS pre-oder', tree.depth_first_search_pre_order())
print('DFS post-oder', tree.depth_first_search_post_order())
print(tree.isValidBST(tree.root))
|
class Binarysearchtree:
def __init__(self):
self.root = None
def insert(self, value):
new_node = {'value': value, 'left': None, 'right': None}
if not self.root:
self.root = new_node
else:
current_node = self.root
while True:
if value < current_node['value']:
if not current_node['left']:
current_node['left'] = new_node
break
current_node = current_node['left']
else:
if not current_node['right']:
current_node['right'] = new_node
break
current_node = current_node['right']
return self
def lookup(self, value):
if not self.root:
return None
current_node = self.root
while current_node:
if value < current_node['value']:
current_node = current_node['left']
elif value > current_node['value']:
current_node = current_node['right']
elif current_node['value'] == value:
return current_node
return f'{value} not found'
def remove(self, value):
if not self.root:
return False
current_node = self.root
parent_node = current_node
while current_node:
if value < current_node['value']:
parent_node = current_node
current_node = current_node['left']
elif value > current_node['value']:
parent_node = current_node
current_node = current_node['right']
elif current_node['value'] == value:
if current_node['right'] == None:
if parent_node == None:
self.root = current_node['left']
elif current_node['value'] < parent_node['value']:
parent_node['left'] = current_node['left']
elif current_node['value'] > parent_node['value']:
parent_node['right'] = current_node['left']
return f'{value} was removed'
elif current_node['right']['left'] == None:
current_node['right']['left'] = current_node['left']
if parent_node == None:
self.root = current_node['right']
elif current_node['value'] < parent_node['value']:
parent_node['left'] = current_node['right']
elif current_node['value'] > parent_node['value']:
parent_node['right'] = current_node['right']
return f'{value} was removed'
else:
leftmost = current_node['right']['left']
leftmost_parent = current_node['right']
while leftmost['left'] != None:
leftmost_parent = leftmost
leftmost = leftmost['left']
leftmost_parent['left'] = leftmost['right']
leftmost['left'] = current_node['left']
leftmost['right'] = current_node['right']
if parent_node == None:
self.root = leftmost
elif current_node['value'] < parent_node['value']:
parent_node['left'] = leftmost
elif current_node['value'] > parent_node['value']:
parent_node['right'] = leftmost
return f'{value} was removed'
return f'{value} not found'
def breadth_first_seacrh(self):
current_node = self.root
l = []
queue = []
queue.append(current_node)
while len(queue) > 0:
current_node = queue.pop(0)
l.append(current_node['value'])
if current_node['left']:
queue.append(current_node['left'])
if current_node['right']:
queue.append(current_node['right'])
return l
def breadth_first_seacrh_recursive(self, queue, l):
if not len(queue):
return l
current_node = queue.pop(0)
l.append(current_node['value'])
if current_node['left']:
queue.append(current_node['left'])
if current_node['right']:
queue.append(current_node['right'])
return self.breadth_first_seacrh_recursive(queue, l)
def is_valid_bst(self, root):
queue = []
current_value = root
prev = -float('inf')
while current_value or queue:
if current_value:
queue.append(current_value)
current_value = current_value['left']
else:
last_value = queue.pop()
if last_value:
if last_value['value'] <= prev:
return False
prev = last_value['value']
current_value = last_value['right']
return True
def depth_first_search_in_order(self):
return traverse_in_order(self.root, [])
def depth_first_search_pre_order(self):
return traverse_pre_order(self.root, [])
def depth_first_search_post_order(self):
return traverse_post_order(self.root, [])
def traverse_in_order(node, l):
if node['left']:
traverse_in_order(node['left'], l)
l.append(node['value'])
if node['right']:
traverse_in_order(node['right'], l)
return l
def traverse_pre_order(node, l):
l.append(node['value'])
if node['left']:
traverse_pre_order(node['left'], l)
if node['right']:
traverse_pre_order(node['right'], l)
return l
def traverse_post_order(node, l):
if node['left']:
traverse_post_order(node['left'], l)
if node['right']:
traverse_post_order(node['right'], l)
l.append(node['value'])
return l
if __name__ == '__main__':
tree = binary_search_tree()
tree.insert(9)
tree.insert(4)
tree.insert(6)
tree.insert(20)
tree.insert(170)
tree.insert(15)
tree.insert(1)
print('BFS', tree.breadth_first_seacrh())
print('BFS recursive', tree.breadth_first_seacrh_recursive([tree.root], []))
print('DFS in-order', tree.depth_first_search_in_order())
print('DFS pre-oder', tree.depth_first_search_pre_order())
print('DFS post-oder', tree.depth_first_search_post_order())
print(tree.isValidBST(tree.root))
|
#!/usr/bin/env python3
#encoding=utf-8
#-------------------------------------------------
# Usage: python3 factory.py
# Description: factory function
#-------------------------------------------------
def factory(aClass, *pargs, **kargs): # Varargs tuple, dict
return aClass(*pargs, **kargs) # Call aClass (or apply in 2.X only)
class Spam:
def doit(self, message):
print(message)
class Person:
def __init__(self, name, job=None):
self.name = name
self.job = job
if __name__ == '__main__':
object1 = factory(Spam) # Make a Spam object
object2 = factory(Person, "Arthur", "King") # Make a Person object
object3 = factory(Person, name='Brian') # Ditto, with keywords and default
object1.doit(99)
print(object2.name, object2.job)
print(object3.name, object3.job)
|
def factory(aClass, *pargs, **kargs):
return a_class(*pargs, **kargs)
class Spam:
def doit(self, message):
print(message)
class Person:
def __init__(self, name, job=None):
self.name = name
self.job = job
if __name__ == '__main__':
object1 = factory(Spam)
object2 = factory(Person, 'Arthur', 'King')
object3 = factory(Person, name='Brian')
object1.doit(99)
print(object2.name, object2.job)
print(object3.name, object3.job)
|
"""
Entradas:
Cantidad de naranjas ---> int ---> X
precio por docena--->float--->Y
valor venta--->float--->K
Salidas:
numero de docenas--->float--->docena
costo--->float--->precio
ganancia--->float--->ganancia
porcentaje ganancia--->float--->porcentaje
"""
X = int ( input ( "Numero de naranjas: " ))
Y = float ( input ( "Valor por docena: " ))
K = float ( entrada ( "Valor de las ventas: " ))
docenas = ( X / 12 )
precio = ( Y * docenas )
ganancia = ( K - precio )
porcentaje = (( ganancia * 100 ) / precio )
print ( "El porcentaje de ganancia es: " + str ( porcentaje ), "%" )
|
"""
Entradas:
Cantidad de naranjas ---> int ---> X
precio por docena--->float--->Y
valor venta--->float--->K
Salidas:
numero de docenas--->float--->docena
costo--->float--->precio
ganancia--->float--->ganancia
porcentaje ganancia--->float--->porcentaje
"""
x = int(input('Numero de naranjas: '))
y = float(input('Valor por docena: '))
k = float(entrada('Valor de las ventas: '))
docenas = X / 12
precio = Y * docenas
ganancia = K - precio
porcentaje = ganancia * 100 / precio
print('El porcentaje de ganancia es: ' + str(porcentaje), '%')
|
with open('input', 'r') as file:
aim = 0
horizontal = 0
depth = 0
simple_depth=0
for line in file:
[com, n] = line.split(' ')
n = int(n)
if com == 'forward':
horizontal += n
depth += aim * n
elif com == 'down':
aim += n
simple_depth += n
elif com == 'up':
aim -= n
simple_depth -= n
print("1 star:", horizontal * simple_depth)
print("2 star:", horizontal * depth)
|
with open('input', 'r') as file:
aim = 0
horizontal = 0
depth = 0
simple_depth = 0
for line in file:
[com, n] = line.split(' ')
n = int(n)
if com == 'forward':
horizontal += n
depth += aim * n
elif com == 'down':
aim += n
simple_depth += n
elif com == 'up':
aim -= n
simple_depth -= n
print('1 star:', horizontal * simple_depth)
print('2 star:', horizontal * depth)
|
class Solution:
# 1st solution
# O(n) time | O(n) space
def reverseWords(self, s: str) -> str:
lst = []
start = 0
for i in range(len(s)):
if s[i] == " ":
self.reverse(lst, start, i - 1)
start = i + 1
lst.append(s[i])
self.reverse(lst, start, len(s) - 1)
return "".join(lst)
def reverse(self, lst, start, end):
while start < end:
lst[start], lst[end] = lst[end], lst[start]
start += 1
end -= 1
|
class Solution:
def reverse_words(self, s: str) -> str:
lst = []
start = 0
for i in range(len(s)):
if s[i] == ' ':
self.reverse(lst, start, i - 1)
start = i + 1
lst.append(s[i])
self.reverse(lst, start, len(s) - 1)
return ''.join(lst)
def reverse(self, lst, start, end):
while start < end:
(lst[start], lst[end]) = (lst[end], lst[start])
start += 1
end -= 1
|
class Solution:
def containsDuplicate(self, nums: [int]) -> bool:
return len(nums) != len(set(nums))
s = Solution()
print(s.containsDuplicate([1,2,3,1]))
|
class Solution:
def contains_duplicate(self, nums: [int]) -> bool:
return len(nums) != len(set(nums))
s = solution()
print(s.containsDuplicate([1, 2, 3, 1]))
|
# Problem:
# Write a program that introduces hours and minutes of 24 hours a day and calculates how much time it will take
# after 15 minutes. The result is printed in hh: mm format.
# Hours are always between 0 and 23 minutes are always between 0 and 59.
# Hours are written in one or two digits. Minutes are always written with two digits, with lead zero when needed.
hours = int(input())
minutes = int(input())
minutes += 15
if minutes >= 60:
minutes %= 60
hours += 1
if hours >= 24:
hours -= 24
if minutes <= 9:
print(f'{hours}:0{minutes}')
else:
print(f'{hours}:{minutes}')
else:
if minutes <= 9:
print(f'{hours}:0{minutes}')
else:
print(f'{hours}:{minutes}')
else:
print(f'{hours}:{minutes}')
|
hours = int(input())
minutes = int(input())
minutes += 15
if minutes >= 60:
minutes %= 60
hours += 1
if hours >= 24:
hours -= 24
if minutes <= 9:
print(f'{hours}:0{minutes}')
else:
print(f'{hours}:{minutes}')
elif minutes <= 9:
print(f'{hours}:0{minutes}')
else:
print(f'{hours}:{minutes}')
else:
print(f'{hours}:{minutes}')
|
class Solution:
"""
@param n: an integer
@return: the number of '1's in the first N number in the magical string S
"""
def magicalString(self, n):
# write your code here
if n == 0:
return 0
seed = list('122')
count = 1
i = 2
while len(seed) < n:
num = int(seed[i])
if seed[-1] == '1':
seed += ['2'] * num
else:
seed += ['1'] * num
count += (num if len(seed) <= n else 1)
i += 1
return count
|
class Solution:
"""
@param n: an integer
@return: the number of '1's in the first N number in the magical string S
"""
def magical_string(self, n):
if n == 0:
return 0
seed = list('122')
count = 1
i = 2
while len(seed) < n:
num = int(seed[i])
if seed[-1] == '1':
seed += ['2'] * num
else:
seed += ['1'] * num
count += num if len(seed) <= n else 1
i += 1
return count
|
class Link:
def __init__(self, val, next=None):
self.val = val
self.next = next
def __repr__(self):
if not self.next:
return f"Link({self.val})"
return f"Link({self.val}, {self.next})"
def merge_k_linked_lists(linked_lists):
'''
Merge k sorted linked lists into one
sorted linked list.
>>> print(merge_k_linked_lists([
... Link(1, Link(2)),
... Link(3, Link(4))
... ]))
Link(1, Link(2, Link(3, Link(4))))
>>> print(merge_k_linked_lists([
... Link(1, Link(2)),
... Link(2, Link(4)),
... Link(3, Link(3)),
... ]))
Link(1, Link(2, Link(2, Link(3, Link(3, Link(4))))))
'''
# look at the front value of all the linked lists
# find the minimum, put it in the result linked list
# "remove" that value that we've added
# keep going until there are no more values to add
# k - length of linked_lists
# n - max length of any linked list
# k*n - upper bound of number of values in all linked lists
copy_linked_lists = linked_lists[:] # O(k)
result = Link(0)
pointer = result
# how many times does the while loop run?
# k*n
while any(copy_linked_lists): # O(k)
front_vals = [
link.val for link
in copy_linked_lists
if link
] # O(k)
min_val = min(front_vals) # O(k)
for i, link in enumerate(copy_linked_lists): # O(k)
if link and link.val == min_val:
pointer.next = Link(link.val)
pointer = pointer.next
copy_linked_lists[i] = link.next
# Final runtime: O(k*n*k)
return result.next
|
class Link:
def __init__(self, val, next=None):
self.val = val
self.next = next
def __repr__(self):
if not self.next:
return f'Link({self.val})'
return f'Link({self.val}, {self.next})'
def merge_k_linked_lists(linked_lists):
"""
Merge k sorted linked lists into one
sorted linked list.
>>> print(merge_k_linked_lists([
... Link(1, Link(2)),
... Link(3, Link(4))
... ]))
Link(1, Link(2, Link(3, Link(4))))
>>> print(merge_k_linked_lists([
... Link(1, Link(2)),
... Link(2, Link(4)),
... Link(3, Link(3)),
... ]))
Link(1, Link(2, Link(2, Link(3, Link(3, Link(4))))))
"""
copy_linked_lists = linked_lists[:]
result = link(0)
pointer = result
while any(copy_linked_lists):
front_vals = [link.val for link in copy_linked_lists if link]
min_val = min(front_vals)
for (i, link) in enumerate(copy_linked_lists):
if link and link.val == min_val:
pointer.next = link(link.val)
pointer = pointer.next
copy_linked_lists[i] = link.next
return result.next
|
"""
Variable Scope.
Variables have a global or local "scope".
For example, variables declared within either the
setup() or draw() functions may be only used in these
functions. Global variables, variables declared outside
of setup() and draw(), may be used anywhere within the program.
If a local variable is declared with the same name as a
global variable, the program will use the local variable to make
its calculations within the current scope. Variables are localized
within each block.
"""
a = 80 # Create a global variable "a"
def setup():
size(640, 360)
background(0)
stroke(255)
noLoop()
def draw():
# Draw a line using the global variable "a".
line(a, 0, a, height)
# Create a variable "b" local to the draw() function.
b = 100
# Create a global variable "c".
global c
c = 320 # Since "c" is global, it is avalaible to other functions.
# Make a call to the custom function drawGreenLine()
drawGreenLine()
# Draw a line using the local variable "b".
line(b, 0, b, height) # Note that "b" remains set to 100.
def drawGreenLine():
# Since "b" was defined as a variable local to the draw() function,
# this code inside this if statement will not run.
if('b' in locals() or 'b' in globals()):
background(255) # This won't run
else:
with pushStyle():
stroke(0, 255, 0)
b = 320 # Create a variable "b" local to drawGreenLine().
# Use the local variable "b" and the global variable "c" to draw a line.
line(b, 0, c, height)
|
"""
Variable Scope.
Variables have a global or local "scope".
For example, variables declared within either the
setup() or draw() functions may be only used in these
functions. Global variables, variables declared outside
of setup() and draw(), may be used anywhere within the program.
If a local variable is declared with the same name as a
global variable, the program will use the local variable to make
its calculations within the current scope. Variables are localized
within each block.
"""
a = 80
def setup():
size(640, 360)
background(0)
stroke(255)
no_loop()
def draw():
line(a, 0, a, height)
b = 100
global c
c = 320
draw_green_line()
line(b, 0, b, height)
def draw_green_line():
if 'b' in locals() or 'b' in globals():
background(255)
else:
with push_style():
stroke(0, 255, 0)
b = 320
line(b, 0, c, height)
|
__all__ = [
"ffn",
"rbfn",
"ffn_bn",
"ffn_ace",
"ffn_lae",
"ffn_bn_vat",
"ffn_vat",
"cnn",
"vae1",
"cvae",
"draw_at_lstm1",
"draw_at_lstm2",
"draw_lstm1",
"draw_sgru1",
"lm_lstm",
"lm_lstm_bn",
"lm_gru",
"lm_draw"
]
|
__all__ = ['ffn', 'rbfn', 'ffn_bn', 'ffn_ace', 'ffn_lae', 'ffn_bn_vat', 'ffn_vat', 'cnn', 'vae1', 'cvae', 'draw_at_lstm1', 'draw_at_lstm2', 'draw_lstm1', 'draw_sgru1', 'lm_lstm', 'lm_lstm_bn', 'lm_gru', 'lm_draw']
|
'''
num1=1
num2=1
num3=num1+num2
print(num3)
sum=num1+num2+num3
for i in range(1,18,1):
num1=num2
num2=num3
num3=num1+num2
if num3%2==0:
print(num3)
'''
'''
for i in range(1,101):
if 100%i==0:
print(i)
'''
num1=int(input("Please input a number: "))
for i in range(1,num1+1):
if num1%i==0:
print(i)
|
"""
num1=1
num2=1
num3=num1+num2
print(num3)
sum=num1+num2+num3
for i in range(1,18,1):
num1=num2
num2=num3
num3=num1+num2
if num3%2==0:
print(num3)
"""
'\nfor i in range(1,101):\n if 100%i==0:\n print(i)\n'
num1 = int(input('Please input a number: '))
for i in range(1, num1 + 1):
if num1 % i == 0:
print(i)
|
l = {}
for _ in range(int(input())):
s = input().split()
l[s[0]] = sum([float(a) for a in s[1:]])/(len(s)-1)
print('%.2f' % l[input()])
|
l = {}
for _ in range(int(input())):
s = input().split()
l[s[0]] = sum([float(a) for a in s[1:]]) / (len(s) - 1)
print('%.2f' % l[input()])
|
"""
The module identify pull-up method refactoring opportunities in Java projects
"""
# Todo: Implementing a decent pull-up method identification algorithm.
|
"""
The module identify pull-up method refactoring opportunities in Java projects
"""
|
BOT_NAME = 'p5_downloader_middleware_handson'
SPIDER_MODULES = ['p5_downloader_middleware_handson.spiders']
NEWSPIDER_MODULE = 'p5_downloader_middleware_handson.spiders'
ROBOTSTXT_OBEY = True
DOWNLOADER_MIDDLEWARES = {
'p5_downloader_middleware_handson.middlewares.SeleniumDownloaderMiddleware': 543,
}
SELENIUM_ENABLED = True
|
bot_name = 'p5_downloader_middleware_handson'
spider_modules = ['p5_downloader_middleware_handson.spiders']
newspider_module = 'p5_downloader_middleware_handson.spiders'
robotstxt_obey = True
downloader_middlewares = {'p5_downloader_middleware_handson.middlewares.SeleniumDownloaderMiddleware': 543}
selenium_enabled = True
|
#!/usr/bin/env python3
# Nick Stucchi
# 03/23/2017
# Filter out words and replace with dashes
def replaceWord(sentence, word):
wordList = sentence.split()
newSentence = []
for w in wordList:
if w == word:
newSentence.append("-" * len(word))
else:
newSentence.append(w)
return " ".join(newSentence)
def main():
sentence = input("Enter a sentence: ")
word = input("Enter a word to replace: ")
result = input("The resulting string is: " + "\n" + replaceWord(sentence, word))
print(result)
if __name__ == "__main__":
main()
|
def replace_word(sentence, word):
word_list = sentence.split()
new_sentence = []
for w in wordList:
if w == word:
newSentence.append('-' * len(word))
else:
newSentence.append(w)
return ' '.join(newSentence)
def main():
sentence = input('Enter a sentence: ')
word = input('Enter a word to replace: ')
result = input('The resulting string is: ' + '\n' + replace_word(sentence, word))
print(result)
if __name__ == '__main__':
main()
|
"""THIS FILE IS AUTO-GENERATED BY SETUP.PY."""
name = "popmon"
version = "0.3.12"
full_version = "0.3.12"
release = True
|
"""THIS FILE IS AUTO-GENERATED BY SETUP.PY."""
name = 'popmon'
version = '0.3.12'
full_version = '0.3.12'
release = True
|
"""Settings for testing emencia.django.newsletter"""
SITE_ID = 1
USE_I18N = False
ROOT_URLCONF = 'emencia.django.newsletter.urls'
DATABASES = {'default': {'NAME': 'newsletter_tests.db',
'ENGINE': 'django.db.backends.sqlite3'}}
INSTALLED_APPS = ['django.contrib.contenttypes',
'django.contrib.sites',
'django.contrib.auth',
'tagging',
'emencia.django.newsletter']
|
"""Settings for testing emencia.django.newsletter"""
site_id = 1
use_i18_n = False
root_urlconf = 'emencia.django.newsletter.urls'
databases = {'default': {'NAME': 'newsletter_tests.db', 'ENGINE': 'django.db.backends.sqlite3'}}
installed_apps = ['django.contrib.contenttypes', 'django.contrib.sites', 'django.contrib.auth', 'tagging', 'emencia.django.newsletter']
|
#
# @lc app=leetcode id=647 lang=python3
#
# [647] Palindromic Substrings
#
# @lc code=start
class Solution:
def countSubstrings(self, s: str) -> int:
"""Find number of palindromic strings in s
Args:
s (str): String to analyze
Returns:
int: Count of palindromes
"""
palindromes = 0
for i in range(len(s)):
left, right = i, i
while left >= 0 and right < len(s) and s[left] == s[right]:
palindromes += 1
left -= 1
right += 1
left, right = i, i + 1
while left >= 0 and right < len(s) and s[left] == s[right]:
palindromes += 1
left -= 1
right += 1
return palindromes
# @lc code=end
|
class Solution:
def count_substrings(self, s: str) -> int:
"""Find number of palindromic strings in s
Args:
s (str): String to analyze
Returns:
int: Count of palindromes
"""
palindromes = 0
for i in range(len(s)):
(left, right) = (i, i)
while left >= 0 and right < len(s) and (s[left] == s[right]):
palindromes += 1
left -= 1
right += 1
(left, right) = (i, i + 1)
while left >= 0 and right < len(s) and (s[left] == s[right]):
palindromes += 1
left -= 1
right += 1
return palindromes
|
"""
LC 6001
Return the rearranged number with minimal value.
Note that the sign of the number does not change after rearranging the digits.
Example 1:
Input: num = 310
Output: 103
Explanation: The possible arrangements for the digits of 310 are 013, 031, 103, 130, 301, 310.
The arrangement with the smallest value that does not contain any leading zeros is 103.
Example 2:
Input: num = -7605
Output: -7650
Explanation: Some possible arrangements for the digits of -7605 are -7650, -6705, -5076, -0567.
The arrangement with the smallest value that does not contain any leading zeros is -7650.
"""
class Solution:
def smallestNumber(self, num: int) -> int:
if num == 0:
return 0
s = str(num)
if num < 0:
ns = sorted(map(int, s[1:]), key=lambda x: -x)
return -int("".join(map(str, ns)))
n0 = s.count('0')
ns = sorted(map(int, s))
ns.insert(0, ns.pop(n0))
return int("".join(map(str, ns)))
"""
Time O(logN loglogN)
Space O(logN)
"""
|
"""
LC 6001
Return the rearranged number with minimal value.
Note that the sign of the number does not change after rearranging the digits.
Example 1:
Input: num = 310
Output: 103
Explanation: The possible arrangements for the digits of 310 are 013, 031, 103, 130, 301, 310.
The arrangement with the smallest value that does not contain any leading zeros is 103.
Example 2:
Input: num = -7605
Output: -7650
Explanation: Some possible arrangements for the digits of -7605 are -7650, -6705, -5076, -0567.
The arrangement with the smallest value that does not contain any leading zeros is -7650.
"""
class Solution:
def smallest_number(self, num: int) -> int:
if num == 0:
return 0
s = str(num)
if num < 0:
ns = sorted(map(int, s[1:]), key=lambda x: -x)
return -int(''.join(map(str, ns)))
n0 = s.count('0')
ns = sorted(map(int, s))
ns.insert(0, ns.pop(n0))
return int(''.join(map(str, ns)))
'\nTime O(logN loglogN)\nSpace O(logN)\n'
|
EF_UUID_NAME = "__specialEF__float32_UUID"
EF_ORDERBY_NAME = "__specialEF__int32_dayDiff"
EF_PREDICTION_NAME = "__specialEF__float32_predictions"
EF_DUMMY_GROUP_COLUMN_NAME = "__specialEF__dummy_group"
HMF_MEMMAP_MAP_NAME = "__specialHMF__memmapMap"
HMF_GROUPBY_NAME = "__specialHMF__groupByNumericEncoder"
|
ef_uuid_name = '__specialEF__float32_UUID'
ef_orderby_name = '__specialEF__int32_dayDiff'
ef_prediction_name = '__specialEF__float32_predictions'
ef_dummy_group_column_name = '__specialEF__dummy_group'
hmf_memmap_map_name = '__specialHMF__memmapMap'
hmf_groupby_name = '__specialHMF__groupByNumericEncoder'
|
SERVICES = [
'UserService',
'ProjectService',
'NotifyService',
'AlocateService',
'ApiGateway',
'Frontend'
]
METRICS = [
'files',
'functions',
'complexity',
'coverage',
'ncloc',
'comment_lines_density',
'duplicated_lines_density',
'security_rating',
'tests',
'test_success_density',
'test_execution_time',
'reliability_rating'
]
|
services = ['UserService', 'ProjectService', 'NotifyService', 'AlocateService', 'ApiGateway', 'Frontend']
metrics = ['files', 'functions', 'complexity', 'coverage', 'ncloc', 'comment_lines_density', 'duplicated_lines_density', 'security_rating', 'tests', 'test_success_density', 'test_execution_time', 'reliability_rating']
|
# sAsync:
# An enhancement to the SQLAlchemy package that provides persistent
# item-value stores, arrays, and dictionaries, and an access broker for
# conveniently managing database access, table setup, and
# transactions. Everything can be run in an asynchronous fashion using
# the Twisted framework and its deferred processing capabilities.
#
# Copyright (C) 2006, 2015 by Edwin A. Suominen, http://edsuom.com/sAsync
#
# See edsuom.com for API documentation as well as information about
# Ed's background and other projects, software and otherwise.
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the
# License. You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing,
# software distributed under the License is distributed on an "AS
# IS" BASIS, WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either
# express or implied. See the License for the specific language
# governing permissions and limitations under the License.
"""
Errors relating to database access
"""
class AsyncError(Exception):
"""
The requested action is incompatible with asynchronous operations.
"""
class TransactionError(Exception):
"""
An exception was raised while trying to run a transaction.
"""
class DatabaseError(Exception):
"""
A problem occured when trying to access the database.
"""
class TransactIterationError(Exception):
"""
An attempt to access a transaction result as an iterator
"""
|
"""
Errors relating to database access
"""
class Asyncerror(Exception):
"""
The requested action is incompatible with asynchronous operations.
"""
class Transactionerror(Exception):
"""
An exception was raised while trying to run a transaction.
"""
class Databaseerror(Exception):
"""
A problem occured when trying to access the database.
"""
class Transactiterationerror(Exception):
"""
An attempt to access a transaction result as an iterator
"""
|
class Vocab:
# pylint: disable=invalid-name,too-many-instance-attributes
ROOT = '<ROOT>'
SPECIAL_TOKENS = ('<PAD>', '<ROOT>', '<UNK>')
def __init__(self, min_count=None):
self._counts = {}
self._pretrained = set([])
self.min_count = min_count
self.size = 3
def idx(self, token):
if token not in self._vocab:
return self._vocab['<UNK>']
return self._vocab[token]
def count_up(self, token):
self._counts[token] = self._counts.get(token, 0) + 1
def add_pretrained(self, token):
self._pretrained |= set([token])
def process_vocab(self):
self._counts_raw = self._counts
if self.min_count:
self._counts = {k: count for k, count in self._counts.items()
if count > self.min_count}
words = [x[0] for x in sorted(self._counts.items(), key=lambda x: x[1], reverse=True)]
pretrained = [x for x in self._pretrained if x not in self._counts]
types = list(self.SPECIAL_TOKENS) + words + pretrained
self._vocab = {x: i for i, x in enumerate(types)}
self._idx2word = {idx: word for word, idx in self._vocab.items()}
self.ROOT_IDX = self._vocab[self.ROOT]
self.size = len(self._vocab)
def items(self):
for word, idx in self._vocab.items():
yield word, idx
|
class Vocab:
root = '<ROOT>'
special_tokens = ('<PAD>', '<ROOT>', '<UNK>')
def __init__(self, min_count=None):
self._counts = {}
self._pretrained = set([])
self.min_count = min_count
self.size = 3
def idx(self, token):
if token not in self._vocab:
return self._vocab['<UNK>']
return self._vocab[token]
def count_up(self, token):
self._counts[token] = self._counts.get(token, 0) + 1
def add_pretrained(self, token):
self._pretrained |= set([token])
def process_vocab(self):
self._counts_raw = self._counts
if self.min_count:
self._counts = {k: count for (k, count) in self._counts.items() if count > self.min_count}
words = [x[0] for x in sorted(self._counts.items(), key=lambda x: x[1], reverse=True)]
pretrained = [x for x in self._pretrained if x not in self._counts]
types = list(self.SPECIAL_TOKENS) + words + pretrained
self._vocab = {x: i for (i, x) in enumerate(types)}
self._idx2word = {idx: word for (word, idx) in self._vocab.items()}
self.ROOT_IDX = self._vocab[self.ROOT]
self.size = len(self._vocab)
def items(self):
for (word, idx) in self._vocab.items():
yield (word, idx)
|
#
# PySNMP MIB module Wellfleet-FNTS-ATM-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Wellfleet-FNTS-ATM-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 21:33:28 2019
# On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4
# Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15)
#
ObjectIdentifier, Integer, OctetString = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "Integer", "OctetString")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint")
ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup")
Gauge32, IpAddress, TimeTicks, Counter64, Bits, ModuleIdentity, Counter32, NotificationType, Unsigned32, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, ObjectIdentity, Integer32, MibIdentifier = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "IpAddress", "TimeTicks", "Counter64", "Bits", "ModuleIdentity", "Counter32", "NotificationType", "Unsigned32", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ObjectIdentity", "Integer32", "MibIdentifier")
DisplayString, TextualConvention = mibBuilder.importSymbols("SNMPv2-TC", "DisplayString", "TextualConvention")
wfFntsAtmGroup, = mibBuilder.importSymbols("Wellfleet-COMMON-MIB", "wfFntsAtmGroup")
wfFntsAtmTable = MibTable((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1), )
if mibBuilder.loadTexts: wfFntsAtmTable.setStatus('mandatory')
wfFntsAtmEntry = MibTableRow((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1), ).setIndexNames((0, "Wellfleet-FNTS-ATM-MIB", "wfFntsAtmSlot"), (0, "Wellfleet-FNTS-ATM-MIB", "wfFntsAtmConnector"))
if mibBuilder.loadTexts: wfFntsAtmEntry.setStatus('mandatory')
wfFntsAtmDelete = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("create", 1), ("delete", 2))).clone('create')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmDelete.setStatus('mandatory')
wfFntsAtmDisable = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmDisable.setStatus('mandatory')
wfFntsAtmState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("up", 1), ("down", 2), ("init", 3), ("notpresent", 4))).clone('notpresent')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmState.setStatus('mandatory')
wfFntsAtmSlot = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 14))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmSlot.setStatus('mandatory')
wfFntsAtmConnector = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 44))).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmConnector.setStatus('mandatory')
wfFntsAtmCct = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1023))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmCct.setStatus('mandatory')
wfFntsAtmMtu = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(4508))).clone(namedValues=NamedValues(("default", 4508))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmMtu.setStatus('mandatory')
wfFntsAtmMadr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 8), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmMadr.setStatus('mandatory')
wfFntsAtmIpAdr = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 9), IpAddress()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmIpAdr.setStatus('mandatory')
wfFntsAtmAtmState = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 9))).clone(namedValues=NamedValues(("notready", 1), ("init", 2), ("intloop", 3), ("extloop", 4), ("reset", 5), ("down", 6), ("up", 7), ("notpresent", 9))).clone('notpresent')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmAtmState.setStatus('mandatory')
wfFntsAtmSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(50))).clone(namedValues=NamedValues(("default", 50))).clone('default')).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmSpeed.setStatus('mandatory')
wfFntsAtmRxOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 12), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxOctets.setStatus('mandatory')
wfFntsAtmRxFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 13), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxFrames.setStatus('mandatory')
wfFntsAtmTxOctets = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 14), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxOctets.setStatus('mandatory')
wfFntsAtmTxFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 15), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxFrames.setStatus('mandatory')
wfFntsAtmLackRescErrorRx = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 16), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmLackRescErrorRx.setStatus('mandatory')
wfFntsAtmInErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 17), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmInErrors.setStatus('mandatory')
wfFntsAtmOutErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 18), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmOutErrors.setStatus('mandatory')
wfFntsAtmRxLongFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 19), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxLongFrames.setStatus('mandatory')
wfFntsAtmTxClipFrames = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 20), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxClipFrames.setStatus('mandatory')
wfFntsAtmRxReplenMisses = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 21), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxReplenMisses.setStatus('mandatory')
wfFntsAtmRxOverruns = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 22), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxOverruns.setStatus('mandatory')
wfFntsAtmRxRingErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 23), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxRingErrors.setStatus('mandatory')
wfFntsAtmTxRingErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 24), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxRingErrors.setStatus('mandatory')
wfFntsAtmOpErrors = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 25), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmOpErrors.setStatus('mandatory')
wfFntsAtmRxProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 26), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmRxProcessings.setStatus('mandatory')
wfFntsAtmTxProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 27), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxProcessings.setStatus('mandatory')
wfFntsAtmTxCmplProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 28), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmTxCmplProcessings.setStatus('mandatory')
wfFntsAtmIntrProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 29), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmIntrProcessings.setStatus('mandatory')
wfFntsAtmSintProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 30), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmSintProcessings.setStatus('mandatory')
wfFntsAtmPintProcessings = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 31), Counter32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: wfFntsAtmPintProcessings.setStatus('mandatory')
wfFntsAtmRxRingLength = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(63))).clone(namedValues=NamedValues(("default", 63))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmRxRingLength.setStatus('mandatory')
wfFntsAtmTxRingLength = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(63))).clone(namedValues=NamedValues(("default", 63))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmTxRingLength.setStatus('mandatory')
wfFntsAtmCfgRxQueueLength = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(127))).clone(namedValues=NamedValues(("default", 127))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmCfgRxQueueLength.setStatus('mandatory')
wfFntsAtmCfgTxQueueLength = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(127))).clone(namedValues=NamedValues(("default", 127))).clone('default')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmCfgTxQueueLength.setStatus('mandatory')
wfFntsAtmLineNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 36), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: wfFntsAtmLineNumber.setStatus('mandatory')
mibBuilder.exportSymbols("Wellfleet-FNTS-ATM-MIB", wfFntsAtmTxRingErrors=wfFntsAtmTxRingErrors, wfFntsAtmOpErrors=wfFntsAtmOpErrors, wfFntsAtmIpAdr=wfFntsAtmIpAdr, wfFntsAtmInErrors=wfFntsAtmInErrors, wfFntsAtmSlot=wfFntsAtmSlot, wfFntsAtmTxClipFrames=wfFntsAtmTxClipFrames, wfFntsAtmTxCmplProcessings=wfFntsAtmTxCmplProcessings, wfFntsAtmDisable=wfFntsAtmDisable, wfFntsAtmCct=wfFntsAtmCct, wfFntsAtmRxFrames=wfFntsAtmRxFrames, wfFntsAtmRxOctets=wfFntsAtmRxOctets, wfFntsAtmSintProcessings=wfFntsAtmSintProcessings, wfFntsAtmRxLongFrames=wfFntsAtmRxLongFrames, wfFntsAtmLackRescErrorRx=wfFntsAtmLackRescErrorRx, wfFntsAtmRxRingLength=wfFntsAtmRxRingLength, wfFntsAtmRxProcessings=wfFntsAtmRxProcessings, wfFntsAtmMadr=wfFntsAtmMadr, wfFntsAtmRxReplenMisses=wfFntsAtmRxReplenMisses, wfFntsAtmMtu=wfFntsAtmMtu, wfFntsAtmSpeed=wfFntsAtmSpeed, wfFntsAtmTable=wfFntsAtmTable, wfFntsAtmCfgRxQueueLength=wfFntsAtmCfgRxQueueLength, wfFntsAtmRxRingErrors=wfFntsAtmRxRingErrors, wfFntsAtmLineNumber=wfFntsAtmLineNumber, wfFntsAtmPintProcessings=wfFntsAtmPintProcessings, wfFntsAtmTxProcessings=wfFntsAtmTxProcessings, wfFntsAtmTxFrames=wfFntsAtmTxFrames, wfFntsAtmDelete=wfFntsAtmDelete, wfFntsAtmAtmState=wfFntsAtmAtmState, wfFntsAtmRxOverruns=wfFntsAtmRxOverruns, wfFntsAtmTxRingLength=wfFntsAtmTxRingLength, wfFntsAtmOutErrors=wfFntsAtmOutErrors, wfFntsAtmState=wfFntsAtmState, wfFntsAtmConnector=wfFntsAtmConnector, wfFntsAtmIntrProcessings=wfFntsAtmIntrProcessings, wfFntsAtmCfgTxQueueLength=wfFntsAtmCfgTxQueueLength, wfFntsAtmEntry=wfFntsAtmEntry, wfFntsAtmTxOctets=wfFntsAtmTxOctets)
|
(object_identifier, integer, octet_string) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'Integer', 'OctetString')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(value_size_constraint, value_range_constraint, constraints_union, constraints_intersection, single_value_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ValueRangeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint')
(module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup')
(gauge32, ip_address, time_ticks, counter64, bits, module_identity, counter32, notification_type, unsigned32, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, object_identity, integer32, mib_identifier) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'IpAddress', 'TimeTicks', 'Counter64', 'Bits', 'ModuleIdentity', 'Counter32', 'NotificationType', 'Unsigned32', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ObjectIdentity', 'Integer32', 'MibIdentifier')
(display_string, textual_convention) = mibBuilder.importSymbols('SNMPv2-TC', 'DisplayString', 'TextualConvention')
(wf_fnts_atm_group,) = mibBuilder.importSymbols('Wellfleet-COMMON-MIB', 'wfFntsAtmGroup')
wf_fnts_atm_table = mib_table((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1))
if mibBuilder.loadTexts:
wfFntsAtmTable.setStatus('mandatory')
wf_fnts_atm_entry = mib_table_row((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1)).setIndexNames((0, 'Wellfleet-FNTS-ATM-MIB', 'wfFntsAtmSlot'), (0, 'Wellfleet-FNTS-ATM-MIB', 'wfFntsAtmConnector'))
if mibBuilder.loadTexts:
wfFntsAtmEntry.setStatus('mandatory')
wf_fnts_atm_delete = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('create', 1), ('delete', 2))).clone('create')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmDelete.setStatus('mandatory')
wf_fnts_atm_disable = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('enable')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmDisable.setStatus('mandatory')
wf_fnts_atm_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('up', 1), ('down', 2), ('init', 3), ('notpresent', 4))).clone('notpresent')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmState.setStatus('mandatory')
wf_fnts_atm_slot = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 14))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmSlot.setStatus('mandatory')
wf_fnts_atm_connector = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 44))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmConnector.setStatus('mandatory')
wf_fnts_atm_cct = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 1023))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmCct.setStatus('mandatory')
wf_fnts_atm_mtu = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(4508))).clone(namedValues=named_values(('default', 4508))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmMtu.setStatus('mandatory')
wf_fnts_atm_madr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 8), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmMadr.setStatus('mandatory')
wf_fnts_atm_ip_adr = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 9), ip_address()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmIpAdr.setStatus('mandatory')
wf_fnts_atm_atm_state = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 9))).clone(namedValues=named_values(('notready', 1), ('init', 2), ('intloop', 3), ('extloop', 4), ('reset', 5), ('down', 6), ('up', 7), ('notpresent', 9))).clone('notpresent')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmAtmState.setStatus('mandatory')
wf_fnts_atm_speed = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(50))).clone(namedValues=named_values(('default', 50))).clone('default')).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmSpeed.setStatus('mandatory')
wf_fnts_atm_rx_octets = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 12), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxOctets.setStatus('mandatory')
wf_fnts_atm_rx_frames = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 13), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxFrames.setStatus('mandatory')
wf_fnts_atm_tx_octets = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 14), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxOctets.setStatus('mandatory')
wf_fnts_atm_tx_frames = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 15), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxFrames.setStatus('mandatory')
wf_fnts_atm_lack_resc_error_rx = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 16), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmLackRescErrorRx.setStatus('mandatory')
wf_fnts_atm_in_errors = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 17), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmInErrors.setStatus('mandatory')
wf_fnts_atm_out_errors = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 18), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmOutErrors.setStatus('mandatory')
wf_fnts_atm_rx_long_frames = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 19), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxLongFrames.setStatus('mandatory')
wf_fnts_atm_tx_clip_frames = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 20), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxClipFrames.setStatus('mandatory')
wf_fnts_atm_rx_replen_misses = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 21), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxReplenMisses.setStatus('mandatory')
wf_fnts_atm_rx_overruns = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 22), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxOverruns.setStatus('mandatory')
wf_fnts_atm_rx_ring_errors = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 23), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxRingErrors.setStatus('mandatory')
wf_fnts_atm_tx_ring_errors = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 24), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxRingErrors.setStatus('mandatory')
wf_fnts_atm_op_errors = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 25), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmOpErrors.setStatus('mandatory')
wf_fnts_atm_rx_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 26), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmRxProcessings.setStatus('mandatory')
wf_fnts_atm_tx_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 27), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxProcessings.setStatus('mandatory')
wf_fnts_atm_tx_cmpl_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 28), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmTxCmplProcessings.setStatus('mandatory')
wf_fnts_atm_intr_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 29), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmIntrProcessings.setStatus('mandatory')
wf_fnts_atm_sint_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 30), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmSintProcessings.setStatus('mandatory')
wf_fnts_atm_pint_processings = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 31), counter32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
wfFntsAtmPintProcessings.setStatus('mandatory')
wf_fnts_atm_rx_ring_length = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 32), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(63))).clone(namedValues=named_values(('default', 63))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmRxRingLength.setStatus('mandatory')
wf_fnts_atm_tx_ring_length = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(63))).clone(namedValues=named_values(('default', 63))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmTxRingLength.setStatus('mandatory')
wf_fnts_atm_cfg_rx_queue_length = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(127))).clone(namedValues=named_values(('default', 127))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmCfgRxQueueLength.setStatus('mandatory')
wf_fnts_atm_cfg_tx_queue_length = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 35), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(127))).clone(namedValues=named_values(('default', 127))).clone('default')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmCfgTxQueueLength.setStatus('mandatory')
wf_fnts_atm_line_number = mib_table_column((1, 3, 6, 1, 4, 1, 18, 3, 4, 32, 1, 1, 36), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
wfFntsAtmLineNumber.setStatus('mandatory')
mibBuilder.exportSymbols('Wellfleet-FNTS-ATM-MIB', wfFntsAtmTxRingErrors=wfFntsAtmTxRingErrors, wfFntsAtmOpErrors=wfFntsAtmOpErrors, wfFntsAtmIpAdr=wfFntsAtmIpAdr, wfFntsAtmInErrors=wfFntsAtmInErrors, wfFntsAtmSlot=wfFntsAtmSlot, wfFntsAtmTxClipFrames=wfFntsAtmTxClipFrames, wfFntsAtmTxCmplProcessings=wfFntsAtmTxCmplProcessings, wfFntsAtmDisable=wfFntsAtmDisable, wfFntsAtmCct=wfFntsAtmCct, wfFntsAtmRxFrames=wfFntsAtmRxFrames, wfFntsAtmRxOctets=wfFntsAtmRxOctets, wfFntsAtmSintProcessings=wfFntsAtmSintProcessings, wfFntsAtmRxLongFrames=wfFntsAtmRxLongFrames, wfFntsAtmLackRescErrorRx=wfFntsAtmLackRescErrorRx, wfFntsAtmRxRingLength=wfFntsAtmRxRingLength, wfFntsAtmRxProcessings=wfFntsAtmRxProcessings, wfFntsAtmMadr=wfFntsAtmMadr, wfFntsAtmRxReplenMisses=wfFntsAtmRxReplenMisses, wfFntsAtmMtu=wfFntsAtmMtu, wfFntsAtmSpeed=wfFntsAtmSpeed, wfFntsAtmTable=wfFntsAtmTable, wfFntsAtmCfgRxQueueLength=wfFntsAtmCfgRxQueueLength, wfFntsAtmRxRingErrors=wfFntsAtmRxRingErrors, wfFntsAtmLineNumber=wfFntsAtmLineNumber, wfFntsAtmPintProcessings=wfFntsAtmPintProcessings, wfFntsAtmTxProcessings=wfFntsAtmTxProcessings, wfFntsAtmTxFrames=wfFntsAtmTxFrames, wfFntsAtmDelete=wfFntsAtmDelete, wfFntsAtmAtmState=wfFntsAtmAtmState, wfFntsAtmRxOverruns=wfFntsAtmRxOverruns, wfFntsAtmTxRingLength=wfFntsAtmTxRingLength, wfFntsAtmOutErrors=wfFntsAtmOutErrors, wfFntsAtmState=wfFntsAtmState, wfFntsAtmConnector=wfFntsAtmConnector, wfFntsAtmIntrProcessings=wfFntsAtmIntrProcessings, wfFntsAtmCfgTxQueueLength=wfFntsAtmCfgTxQueueLength, wfFntsAtmEntry=wfFntsAtmEntry, wfFntsAtmTxOctets=wfFntsAtmTxOctets)
|
class Middleware:
def __init__(self, context_manager, server_middleware):
"""
:param BaseMiddleware Your custom middleware
:param package Middleware from the middleware package
"""
self._service = context_manager
self._middleware = server_middleware.get_hooks_service_middleware(
context_service=self.service,
)
@property
def service(self):
return self._service
@property
def middleware(self):
return self._middleware
|
class Middleware:
def __init__(self, context_manager, server_middleware):
"""
:param BaseMiddleware Your custom middleware
:param package Middleware from the middleware package
"""
self._service = context_manager
self._middleware = server_middleware.get_hooks_service_middleware(context_service=self.service)
@property
def service(self):
return self._service
@property
def middleware(self):
return self._middleware
|
routers = dict(
# base router
BASE=dict(
default_application='projeto',
applications=['projeto', 'admin',]
),
projeto=dict(
default_controller='initial',
default_function='principal',
controllers=['initial', 'manager'],
functions=['home', 'contact', 'about', 'user', 'download', 'account',
'register', 'login', 'exemplo', 'teste1', 'teste2',
'show_cliente', 'show_servidor', 'show_distro',
'cliente_host', 'servidor_host', 'distro_host', 'product',
'edit_host', 'interface', 'principal', 'detalhes_clean', 'detalhes_nav']
)
)
|
routers = dict(BASE=dict(default_application='projeto', applications=['projeto', 'admin']), projeto=dict(default_controller='initial', default_function='principal', controllers=['initial', 'manager'], functions=['home', 'contact', 'about', 'user', 'download', 'account', 'register', 'login', 'exemplo', 'teste1', 'teste2', 'show_cliente', 'show_servidor', 'show_distro', 'cliente_host', 'servidor_host', 'distro_host', 'product', 'edit_host', 'interface', 'principal', 'detalhes_clean', 'detalhes_nav']))
|
class Coffee:
coffeecupcounter =0
def __init__(self, themilk, thesugar, thecoffeemate):
self.milk = themilk
self.sugar = thesugar
self.coffeemate = thecoffeemate
Coffee.coffeecupcounter=Coffee.coffeecupcounter+1
print(f'You now have your coffee with {self.milk} milk, {self.sugar} sugar, {self.coffeemate} coffeemate')
mysugarfreecoffee= Coffee(2,0,1)
print(mysugarfreecoffee.sugar)
mysweetcoffee =Coffee(2,100,1)
print(mysweetcoffee.sugar)
print(f'We have made {Coffee.coffeecupcounter} coffee cups so far!')
print(f'We have made {mysugarfreecoffee.coffeecupcounter} coffee cups so far!')
print(f'We have made {mysweetcoffee.milk} coffee cups so far!')
print(f'We have made {mysweetcoffee.coffeecupcounter} coffee cups so far!')
|
class Coffee:
coffeecupcounter = 0
def __init__(self, themilk, thesugar, thecoffeemate):
self.milk = themilk
self.sugar = thesugar
self.coffeemate = thecoffeemate
Coffee.coffeecupcounter = Coffee.coffeecupcounter + 1
print(f'You now have your coffee with {self.milk} milk, {self.sugar} sugar, {self.coffeemate} coffeemate')
mysugarfreecoffee = coffee(2, 0, 1)
print(mysugarfreecoffee.sugar)
mysweetcoffee = coffee(2, 100, 1)
print(mysweetcoffee.sugar)
print(f'We have made {Coffee.coffeecupcounter} coffee cups so far!')
print(f'We have made {mysugarfreecoffee.coffeecupcounter} coffee cups so far!')
print(f'We have made {mysweetcoffee.milk} coffee cups so far!')
print(f'We have made {mysweetcoffee.coffeecupcounter} coffee cups so far!')
|
class Solution:
def threeSumMulti(self, arr, target):
c = Counter(arr)
ans, M = 0, 10**9 + 7
for i, j in permutations(c, 2):
if i < j < target - i - j:
ans += c[i]*c[j]*c[target - i - j]
for i in c:
if 3*i != target:
ans += c[i]*(c[i]-1)*c[target - 2*i]//2
else:
ans += c[i]*(c[i]-1)*(c[i]-2)//6
return ans % M
|
class Solution:
def three_sum_multi(self, arr, target):
c = counter(arr)
(ans, m) = (0, 10 ** 9 + 7)
for (i, j) in permutations(c, 2):
if i < j < target - i - j:
ans += c[i] * c[j] * c[target - i - j]
for i in c:
if 3 * i != target:
ans += c[i] * (c[i] - 1) * c[target - 2 * i] // 2
else:
ans += c[i] * (c[i] - 1) * (c[i] - 2) // 6
return ans % M
|
"""
Program Description :
List appender is a simple program that allows you to append data, either a single word or a sequence of words,
to a list. To stop adding elements, type !quit. It helps create lists easily when the number of elements
is a lot.
"""
def List_appender():
print("Start entering data to be appended to the list")
ans = ""
unit = ""
while(True):
unit = str(input())
unit = unit.split()
for x in unit:
if(x == "!quit"):
return ans
ans = (ans + "\"" + x + "\",")
if __name__ == "__main__":
list_name = input("Enter the name of the list : ")
ans = List_appender()
complete_list = (list_name + " = " + "[" + ans + "\b]")
print(complete_list)
|
"""
Program Description :
List appender is a simple program that allows you to append data, either a single word or a sequence of words,
to a list. To stop adding elements, type !quit. It helps create lists easily when the number of elements
is a lot.
"""
def list_appender():
print('Start entering data to be appended to the list')
ans = ''
unit = ''
while True:
unit = str(input())
unit = unit.split()
for x in unit:
if x == '!quit':
return ans
ans = ans + '"' + x + '",'
if __name__ == '__main__':
list_name = input('Enter the name of the list : ')
ans = list_appender()
complete_list = list_name + ' = ' + '[' + ans + '\x08]'
print(complete_list)
|
'''
Created on Jun 4, 2018
@author: nishant.sethi
'''
class Node:
def __init__(self, data):
self.left = None
self.right = None
self.data = data
def insert(self, data):
# Compare the new value with the parent node
if self.data:
if data < self.data:
if self.left is None:
self.left = Node(data)
else:
self.left.insert(data)
elif data > self.data:
if self.right is None:
self.right = Node(data)
else:
self.right.insert(data)
else:
self.data = data
# findval method to compare the value with nodes
def findval(self, lkpval):
if lkpval < self.data:
if self.left is None:
return str(lkpval)+" Not Found"
return self.left.findval(lkpval)
elif lkpval > self.data:
if self.right is None:
return str(lkpval)+" Not Found"
return self.right.findval(lkpval)
else:
print(str(self.data) + ' is found')
# Print the Tree
def PrintTree(self):
if self.left:
self.left.PrintTree()
print( self.data),
if self.right:
self.right.PrintTree()
# Inorder traversal
# Left -> Root -> Right
def inorderTraversal(self, root):
res = []
if root:
res = self.inorderTraversal(root.left)
res.append(root.data)
res = res + self.inorderTraversal(root.right)
return res
# Preorder traversal
# Root -> Left ->Right
def PreorderTraversal(self, root):
res = []
if root:
res.append(root.data)
res = res + self.PreorderTraversal(root.left)
res = res + self.PreorderTraversal(root.right)
return res
# Postorder traversal
# Left ->Right -> Root
def PostorderTraversal(self, root):
res = []
if root:
res = self.PostorderTraversal(root.left)
res = res + self.PostorderTraversal(root.right)
res.append(root.data)
return res
|
"""
Created on Jun 4, 2018
@author: nishant.sethi
"""
class Node:
def __init__(self, data):
self.left = None
self.right = None
self.data = data
def insert(self, data):
if self.data:
if data < self.data:
if self.left is None:
self.left = node(data)
else:
self.left.insert(data)
elif data > self.data:
if self.right is None:
self.right = node(data)
else:
self.right.insert(data)
else:
self.data = data
def findval(self, lkpval):
if lkpval < self.data:
if self.left is None:
return str(lkpval) + ' Not Found'
return self.left.findval(lkpval)
elif lkpval > self.data:
if self.right is None:
return str(lkpval) + ' Not Found'
return self.right.findval(lkpval)
else:
print(str(self.data) + ' is found')
def print_tree(self):
if self.left:
self.left.PrintTree()
(print(self.data),)
if self.right:
self.right.PrintTree()
def inorder_traversal(self, root):
res = []
if root:
res = self.inorderTraversal(root.left)
res.append(root.data)
res = res + self.inorderTraversal(root.right)
return res
def preorder_traversal(self, root):
res = []
if root:
res.append(root.data)
res = res + self.PreorderTraversal(root.left)
res = res + self.PreorderTraversal(root.right)
return res
def postorder_traversal(self, root):
res = []
if root:
res = self.PostorderTraversal(root.left)
res = res + self.PostorderTraversal(root.right)
res.append(root.data)
return res
|
name = input("Enter file:")
if len(name) < 1:
name = "mbox-short.txt"
handle = open(name)
hist=dict()
for line in handle:
if line.startswith('From:'):
words=line.split()
if words[1] not in hist:
hist[words[1]]=1
else:
hist[words[1]]=hist[words[1]]+1
#print(hist)
nome=conta=None
for a,b in hist.items():
if conta==None or b>conta:
nome=a
conta=b
print(nome,conta)
# Alternativa
name = input("Enter file:")
if len(name) < 1:
name = "mbox-short.txt"
handle = open(name)
hist=dict()
for line in handle:
if line.startswith('From:'):
words=line.split()
hist[words[1]]=hist.get(words[1],0)+1
#print(hist)
nome=conta=None
for a,b in hist.items():
if conta==None or b>conta:
nome=a
conta=b
print(nome,conta)
|
name = input('Enter file:')
if len(name) < 1:
name = 'mbox-short.txt'
handle = open(name)
hist = dict()
for line in handle:
if line.startswith('From:'):
words = line.split()
if words[1] not in hist:
hist[words[1]] = 1
else:
hist[words[1]] = hist[words[1]] + 1
nome = conta = None
for (a, b) in hist.items():
if conta == None or b > conta:
nome = a
conta = b
print(nome, conta)
name = input('Enter file:')
if len(name) < 1:
name = 'mbox-short.txt'
handle = open(name)
hist = dict()
for line in handle:
if line.startswith('From:'):
words = line.split()
hist[words[1]] = hist.get(words[1], 0) + 1
nome = conta = None
for (a, b) in hist.items():
if conta == None or b > conta:
nome = a
conta = b
print(nome, conta)
|
maior = 0
menor = 0
totalPessoas = 10
for pessoa in range(1, 11):
idade = int(input("Digite a idade: "))
if idade >= 18:
maior += 1
else:
menor += 1
print("Quantidade de pessoas maior de idade: ", maior)
print("Quantidade de pessoas menor de idade: ", menor)
print("Porcentagem de pessoas menores de idade = ", (menor*100)/totalPessoas, "%")
print("Porcentagem de pessoas maiores de idade = ", (maior*100)/totalPessoas, "%")
|
maior = 0
menor = 0
total_pessoas = 10
for pessoa in range(1, 11):
idade = int(input('Digite a idade: '))
if idade >= 18:
maior += 1
else:
menor += 1
print('Quantidade de pessoas maior de idade: ', maior)
print('Quantidade de pessoas menor de idade: ', menor)
print('Porcentagem de pessoas menores de idade = ', menor * 100 / totalPessoas, '%')
print('Porcentagem de pessoas maiores de idade = ', maior * 100 / totalPessoas, '%')
|
"""Dataset representation of fMRI data."""
class DatasetFMRI(object):
"""docstring for DatasetFMRI."""
def __init__(self):
"""Init."""
pass
|
"""Dataset representation of fMRI data."""
class Datasetfmri(object):
"""docstring for DatasetFMRI."""
def __init__(self):
"""Init."""
pass
|
# Copyright (c) 2014-present PlatformIO <contact@platformio.org>
#
# Licensed under the Apache License, Version 2.0 (the "License");
# you may not use this file except in compliance with the License.
# You may obtain a copy of the License at
#
# http://www.apache.org/licenses/LICENSE-2.0
#
# Unless required by applicable law or agreed to in writing, software
# distributed under the License is distributed on an "AS IS" BASIS,
# WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
# See the License for the specific language governing permissions and
# limitations under the License.
class PlatformioException(Exception):
MESSAGE = None
def __str__(self): # pragma: no cover
if self.MESSAGE:
# pylint: disable=not-an-iterable
return self.MESSAGE.format(*self.args)
return super().__str__()
class ReturnErrorCode(PlatformioException):
MESSAGE = "{0}"
class MinitermException(PlatformioException):
pass
class UserSideException(PlatformioException):
pass
class AbortedByUser(UserSideException):
MESSAGE = "Aborted by user"
#
# UDEV Rules
#
class InvalidUdevRules(UserSideException):
pass
class MissedUdevRules(InvalidUdevRules):
MESSAGE = (
"Warning! Please install `99-platformio-udev.rules`. \nMore details: "
"https://docs.platformio.org/page/faq.html#platformio-udev-rules"
)
class OutdatedUdevRules(InvalidUdevRules):
MESSAGE = (
"Warning! Your `{0}` are outdated. Please update or reinstall them."
"\nMore details: "
"https://docs.platformio.org/page/faq.html#platformio-udev-rules"
)
#
# Misc
#
class GetSerialPortsError(PlatformioException):
MESSAGE = "No implementation for your platform ('{0}') available"
class GetLatestVersionError(PlatformioException):
MESSAGE = "Can not retrieve the latest PlatformIO version"
class InvalidSettingName(UserSideException):
MESSAGE = "Invalid setting with the name '{0}'"
class InvalidSettingValue(UserSideException):
MESSAGE = "Invalid value '{0}' for the setting '{1}'"
class InvalidJSONFile(PlatformioException):
MESSAGE = "Could not load broken JSON: {0}"
class CIBuildEnvsEmpty(UserSideException):
MESSAGE = (
"Can't find PlatformIO build environments.\n"
"Please specify `--board` or path to `platformio.ini` with "
"predefined environments using `--project-conf` option"
)
class UpgradeError(PlatformioException):
MESSAGE = """{0}
* Upgrade using `pip install -U platformio`
* Try different installation/upgrading steps:
https://docs.platformio.org/page/installation.html
"""
class HomeDirPermissionsError(UserSideException):
MESSAGE = (
"The directory `{0}` or its parent directory is not owned by the "
"current user and PlatformIO can not store configuration data.\n"
"Please check the permissions and owner of that directory.\n"
"Otherwise, please remove manually `{0}` directory and PlatformIO "
"will create new from the current user."
)
class CygwinEnvDetected(PlatformioException):
MESSAGE = (
"PlatformIO does not work within Cygwin environment. "
"Use native Terminal instead."
)
|
class Platformioexception(Exception):
message = None
def __str__(self):
if self.MESSAGE:
return self.MESSAGE.format(*self.args)
return super().__str__()
class Returnerrorcode(PlatformioException):
message = '{0}'
class Minitermexception(PlatformioException):
pass
class Usersideexception(PlatformioException):
pass
class Abortedbyuser(UserSideException):
message = 'Aborted by user'
class Invalidudevrules(UserSideException):
pass
class Missedudevrules(InvalidUdevRules):
message = 'Warning! Please install `99-platformio-udev.rules`. \nMore details: https://docs.platformio.org/page/faq.html#platformio-udev-rules'
class Outdatedudevrules(InvalidUdevRules):
message = 'Warning! Your `{0}` are outdated. Please update or reinstall them.\nMore details: https://docs.platformio.org/page/faq.html#platformio-udev-rules'
class Getserialportserror(PlatformioException):
message = "No implementation for your platform ('{0}') available"
class Getlatestversionerror(PlatformioException):
message = 'Can not retrieve the latest PlatformIO version'
class Invalidsettingname(UserSideException):
message = "Invalid setting with the name '{0}'"
class Invalidsettingvalue(UserSideException):
message = "Invalid value '{0}' for the setting '{1}'"
class Invalidjsonfile(PlatformioException):
message = 'Could not load broken JSON: {0}'
class Cibuildenvsempty(UserSideException):
message = "Can't find PlatformIO build environments.\nPlease specify `--board` or path to `platformio.ini` with predefined environments using `--project-conf` option"
class Upgradeerror(PlatformioException):
message = '{0}\n\n* Upgrade using `pip install -U platformio`\n* Try different installation/upgrading steps:\n https://docs.platformio.org/page/installation.html\n'
class Homedirpermissionserror(UserSideException):
message = 'The directory `{0}` or its parent directory is not owned by the current user and PlatformIO can not store configuration data.\nPlease check the permissions and owner of that directory.\nOtherwise, please remove manually `{0}` directory and PlatformIO will create new from the current user.'
class Cygwinenvdetected(PlatformioException):
message = 'PlatformIO does not work within Cygwin environment. Use native Terminal instead.'
|
#
# PySNMP MIB module A3COM-HUAWEI-IFQOS2-MIB (http://snmplabs.com/pysmi)
# ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/A3COM-HUAWEI-IFQOS2-MIB
# Produced by pysmi-0.3.4 at Mon Apr 29 16:50:28 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)
#
h3cCommon, = mibBuilder.importSymbols("A3COM-HUAWEI-OID-MIB", "h3cCommon")
OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier")
NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues")
ConstraintsIntersection, ValueRangeConstraint, ConstraintsUnion, SingleValueConstraint, ValueSizeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ConstraintsIntersection", "ValueRangeConstraint", "ConstraintsUnion", "SingleValueConstraint", "ValueSizeConstraint")
ifIndex, = mibBuilder.importSymbols("IF-MIB", "ifIndex")
NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance")
NotificationType, ObjectIdentity, Counter32, Bits, Gauge32, Counter64, Unsigned32, iso, MibScalar, MibTable, MibTableRow, MibTableColumn, MibIdentifier, ModuleIdentity, IpAddress, Integer32, TimeTicks = mibBuilder.importSymbols("SNMPv2-SMI", "NotificationType", "ObjectIdentity", "Counter32", "Bits", "Gauge32", "Counter64", "Unsigned32", "iso", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "MibIdentifier", "ModuleIdentity", "IpAddress", "Integer32", "TimeTicks")
RowStatus, DisplayString, TextualConvention, TruthValue = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "DisplayString", "TextualConvention", "TruthValue")
h3cIfQos2 = ModuleIdentity((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1))
if mibBuilder.loadTexts: h3cIfQos2.setLastUpdated('200812020000Z')
if mibBuilder.loadTexts: h3cIfQos2.setOrganization('H3C Technologies Co.,Ltd.')
h3cQos2 = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65))
class CarAction(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))
namedValues = NamedValues(("invalid", 0), ("pass", 1), ("continue", 2), ("discard", 3), ("remark", 4), ("remark-ip-continue", 5), ("remark-ip-pass", 6), ("remark-mplsexp-continue", 7), ("remark-mplsexp-pass", 8), ("remark-dscp-continue", 9), ("remark-dscp-pass", 10), ("remark-dot1p-continue", 11), ("remark-dot1p-pass", 12), ("remark-atm-clp-continue", 13), ("remark-atm-clp-pass", 14), ("remark-fr-de-continue", 15), ("remark-fr-de-pass", 16))
class PriorityQueue(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))
namedValues = NamedValues(("top", 1), ("middle", 2), ("normal", 3), ("bottom", 4))
class Direction(TextualConvention, Integer32):
status = 'current'
subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2))
namedValues = NamedValues(("inbound", 1), ("outbound", 2))
h3cIfQoSHardwareQueueObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1))
h3cIfQoSHardwareQueueConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1))
h3cIfQoSQSModeTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSQSModeTable.setStatus('current')
h3cIfQoSQSModeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSQSModeEntry.setStatus('current')
h3cIfQoSQSMode = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("sp", 1), ("sp0", 2), ("sp1", 3), ("sp2", 4), ("wrr", 5), ("hwfq", 6), ("wrr-sp", 7), ("byteCountWrr", 8), ("byteCountWfq", 9)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQSMode.setStatus('current')
h3cIfQoSQSWeightTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSQSWeightTable.setStatus('current')
h3cIfQoSQSWeightEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSQueueID"))
if mibBuilder.loadTexts: h3cIfQoSQSWeightEntry.setStatus('current')
h3cIfQoSQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cIfQoSQueueID.setStatus('current')
h3cIfQoSQueueGroupType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("group0", 1), ("group1", 2), ("group2", 3)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQueueGroupType.setStatus('current')
h3cIfQoSQSType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("weight", 1), ("byte-count", 2)))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQSType.setStatus('current')
h3cIfQoSQSValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 4), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQSValue.setStatus('current')
h3cIfQoSQSMaxDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 5), Integer32().clone(9)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQSMaxDelay.setStatus('current')
h3cIfQoSQSMinBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 6), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSQSMinBandwidth.setStatus('current')
h3cIfQoSHardwareQueueRunInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2))
h3cIfQoSHardwareQueueRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSHardwareQueueRunInfoTable.setStatus('current')
h3cIfQoSHardwareQueueRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSQueueID"))
if mibBuilder.loadTexts: h3cIfQoSHardwareQueueRunInfoEntry.setStatus('current')
h3cIfQoSPassPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPassPackets.setStatus('current')
h3cIfQoSDropPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSDropPackets.setStatus('current')
h3cIfQoSPassBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPassBytes.setStatus('current')
h3cIfQoSPassPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 4), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPassPPS.setStatus('current')
h3cIfQoSPassBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 5), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPassBPS.setStatus('current')
h3cIfQoSDropBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSDropBytes.setStatus('current')
h3cIfQoSQueueLengthInPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 7), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSQueueLengthInPkts.setStatus('current')
h3cIfQoSQueueLengthInBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 8), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSQueueLengthInBytes.setStatus('current')
h3cIfQoSCurQueuePkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 9), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCurQueuePkts.setStatus('current')
h3cIfQoSCurQueueBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 10), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCurQueueBytes.setStatus('current')
h3cIfQoSCurQueuePPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 11), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCurQueuePPS.setStatus('current')
h3cIfQoSCurQueueBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 12), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCurQueueBPS.setStatus('current')
h3cIfQoSTailDropPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTailDropPkts.setStatus('current')
h3cIfQoSTailDropBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTailDropBytes.setStatus('current')
h3cIfQoSTailDropPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 15), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTailDropPPS.setStatus('current')
h3cIfQoSTailDropBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 16), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTailDropBPS.setStatus('current')
h3cIfQoSWredDropPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 17), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropPkts.setStatus('current')
h3cIfQoSWredDropBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 18), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropBytes.setStatus('current')
h3cIfQoSWredDropPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 19), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropPPS.setStatus('current')
h3cIfQoSWredDropBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 20), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropBPS.setStatus('current')
h3cIfQoSHQueueTcpRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2), )
if mibBuilder.loadTexts: h3cIfQoSHQueueTcpRunInfoTable.setStatus('current')
h3cIfQoSHQueueTcpRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSQueueID"))
if mibBuilder.loadTexts: h3cIfQoSHQueueTcpRunInfoEntry.setStatus('current')
h3cIfQoSWredDropLPreNTcpPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreNTcpPkts.setStatus('current')
h3cIfQoSWredDropLPreNTcpBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreNTcpBytes.setStatus('current')
h3cIfQoSWredDropLPreNTcpPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 3), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreNTcpPPS.setStatus('current')
h3cIfQoSWredDropLPreNTcpBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 4), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreNTcpBPS.setStatus('current')
h3cIfQoSWredDropLPreTcpPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreTcpPkts.setStatus('current')
h3cIfQoSWredDropLPreTcpBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreTcpBytes.setStatus('current')
h3cIfQoSWredDropLPreTcpPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 7), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreTcpPPS.setStatus('current')
h3cIfQoSWredDropLPreTcpBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 8), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropLPreTcpBPS.setStatus('current')
h3cIfQoSWredDropHPreNTcpPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreNTcpPkts.setStatus('current')
h3cIfQoSWredDropHPreNTcpBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 10), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreNTcpBytes.setStatus('current')
h3cIfQoSWredDropHPreNTcpPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 11), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreNTcpPPS.setStatus('current')
h3cIfQoSWredDropHPreNTcpBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 12), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreNTcpBPS.setStatus('current')
h3cIfQoSWredDropHPreTcpPkts = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 13), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreTcpPkts.setStatus('current')
h3cIfQoSWredDropHPreTcpBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 14), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreTcpBytes.setStatus('current')
h3cIfQoSWredDropHPreTcpPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 15), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreTcpPPS.setStatus('current')
h3cIfQoSWredDropHPreTcpBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 16), Unsigned32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredDropHPreTcpBPS.setStatus('current')
h3cIfQoSSoftwareQueueObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2))
h3cIfQoSFIFOObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1))
h3cIfQoSFIFOConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSFIFOConfigTable.setStatus('current')
h3cIfQoSFIFOConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSFIFOConfigEntry.setStatus('current')
h3cIfQoSFIFOMaxQueueLen = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1, 1, 1), Integer32()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSFIFOMaxQueueLen.setStatus('current')
h3cIfQoSFIFORunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSFIFORunInfoTable.setStatus('current')
h3cIfQoSFIFORunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSFIFORunInfoEntry.setStatus('current')
h3cIfQoSFIFOSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSFIFOSize.setStatus('current')
h3cIfQoSFIFODiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSFIFODiscardPackets.setStatus('current')
h3cIfQoSPQObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2))
h3cIfQoSPQConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1))
h3cIfQoSPQDefaultTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSPQDefaultTable.setStatus('current')
h3cIfQoSPQDefaultEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQListNumber"))
if mibBuilder.loadTexts: h3cIfQoSPQDefaultEntry.setStatus('current')
h3cIfQoSPQListNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16)))
if mibBuilder.loadTexts: h3cIfQoSPQListNumber.setStatus('current')
h3cIfQoSPQDefaultQueueType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1, 2), PriorityQueue()).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSPQDefaultQueueType.setStatus('current')
h3cIfQoSPQQueueLengthTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSPQQueueLengthTable.setStatus('current')
h3cIfQoSPQQueueLengthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQListNumber"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQQueueLengthType"))
if mibBuilder.loadTexts: h3cIfQoSPQQueueLengthEntry.setStatus('current')
h3cIfQoSPQQueueLengthType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1, 1), PriorityQueue())
if mibBuilder.loadTexts: h3cIfQoSPQQueueLengthType.setStatus('current')
h3cIfQoSPQQueueLengthValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSPQQueueLengthValue.setStatus('current')
h3cIfQoSPQClassRuleTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3), )
if mibBuilder.loadTexts: h3cIfQoSPQClassRuleTable.setStatus('current')
h3cIfQoSPQClassRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQListNumber"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQClassRuleType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQClassRuleValue"))
if mibBuilder.loadTexts: h3cIfQoSPQClassRuleEntry.setStatus('current')
h3cIfQoSPQClassRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("interface", 1), ("ipv4acl", 2), ("ipv6acl", 3), ("fragments", 4), ("greater-than", 5), ("less-than", 6), ("tcp", 7), ("udp", 8), ("ipall", 9), ("mpls", 10))))
if mibBuilder.loadTexts: h3cIfQoSPQClassRuleType.setStatus('current')
h3cIfQoSPQClassRuleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 2), Integer32())
if mibBuilder.loadTexts: h3cIfQoSPQClassRuleValue.setStatus('current')
h3cIfQoSPQClassRuleQueueType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 3), PriorityQueue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPQClassRuleQueueType.setStatus('current')
h3cIfQoSPQClassRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPQClassRowStatus.setStatus('current')
h3cIfQoSPQApplyTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4), )
if mibBuilder.loadTexts: h3cIfQoSPQApplyTable.setStatus('current')
h3cIfQoSPQApplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSPQApplyEntry.setStatus('current')
h3cIfQoSPQApplyListNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPQApplyListNumber.setStatus('current')
h3cIfQoSPQApplyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPQApplyRowStatus.setStatus('current')
h3cIfQoSPQRunInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2))
h3cIfQoSPQRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSPQRunInfoTable.setStatus('current')
h3cIfQoSPQRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPQType"))
if mibBuilder.loadTexts: h3cIfQoSPQRunInfoEntry.setStatus('current')
h3cIfQoSPQType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 1), PriorityQueue())
if mibBuilder.loadTexts: h3cIfQoSPQType.setStatus('current')
h3cIfQoSPQSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPQSize.setStatus('current')
h3cIfQoSPQLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 3), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPQLength.setStatus('current')
h3cIfQoSPQDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPQDiscardPackets.setStatus('current')
h3cIfQoSCQObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3))
h3cIfQoSCQConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1))
h3cIfQoSCQDefaultTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSCQDefaultTable.setStatus('current')
h3cIfQoSCQDefaultEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQListNumber"))
if mibBuilder.loadTexts: h3cIfQoSCQDefaultEntry.setStatus('current')
h3cIfQoSCQListNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16)))
if mibBuilder.loadTexts: h3cIfQoSCQListNumber.setStatus('current')
h3cIfQoSCQDefaultQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16)).clone(1)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSCQDefaultQueueID.setStatus('current')
h3cIfQoSCQQueueLengthTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSCQQueueLengthTable.setStatus('current')
h3cIfQoSCQQueueLengthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQListNumber"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQQueueID"))
if mibBuilder.loadTexts: h3cIfQoSCQQueueLengthEntry.setStatus('current')
h3cIfQoSCQQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16)))
if mibBuilder.loadTexts: h3cIfQoSCQQueueID.setStatus('current')
h3cIfQoSCQQueueLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024)).clone(20)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSCQQueueLength.setStatus('current')
h3cIfQoSCQQueueServing = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 3), Integer32().clone(1500)).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSCQQueueServing.setStatus('current')
h3cIfQoSCQClassRuleTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3), )
if mibBuilder.loadTexts: h3cIfQoSCQClassRuleTable.setStatus('current')
h3cIfQoSCQClassRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQListNumber"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQClassRuleType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQClassRuleValue"))
if mibBuilder.loadTexts: h3cIfQoSCQClassRuleEntry.setStatus('current')
h3cIfQoSCQClassRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("interface", 1), ("ipv4acl", 2), ("ipv6acl", 3), ("fragments", 4), ("greater-than", 5), ("less-than", 6), ("tcp", 7), ("udp", 8), ("ipall", 9), ("mpls", 10))))
if mibBuilder.loadTexts: h3cIfQoSCQClassRuleType.setStatus('current')
h3cIfQoSCQClassRuleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 2), Integer32())
if mibBuilder.loadTexts: h3cIfQoSCQClassRuleValue.setStatus('current')
h3cIfQoSCQClassRuleQueueID = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCQClassRuleQueueID.setStatus('current')
h3cIfQoSCQClassRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCQClassRowStatus.setStatus('current')
h3cIfQoSCQApplyTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4), )
if mibBuilder.loadTexts: h3cIfQoSCQApplyTable.setStatus('current')
h3cIfQoSCQApplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSCQApplyEntry.setStatus('current')
h3cIfQoSCQApplyListNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCQApplyListNumber.setStatus('current')
h3cIfQoSCQApplyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCQApplyRowStatus.setStatus('current')
h3cIfQoSCQRunInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2))
h3cIfQoSCQRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSCQRunInfoTable.setStatus('current')
h3cIfQoSCQRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCQQueueID"))
if mibBuilder.loadTexts: h3cIfQoSCQRunInfoEntry.setStatus('current')
h3cIfQoSCQRunInfoSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCQRunInfoSize.setStatus('current')
h3cIfQoSCQRunInfoLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCQRunInfoLength.setStatus('current')
h3cIfQoSCQRunInfoDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSCQRunInfoDiscardPackets.setStatus('current')
h3cIfQoSWFQObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4))
h3cIfQoSWFQConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1))
h3cIfQoSWFQTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSWFQTable.setStatus('current')
h3cIfQoSWFQEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSWFQEntry.setStatus('current')
h3cIfQoSWFQQueueLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1024)).clone(64)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWFQQueueLength.setStatus('current')
h3cIfQoSWFQQueueNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("size16", 1), ("size32", 2), ("size64", 3), ("size128", 4), ("size256", 5), ("size512", 6), ("size1024", 7), ("size2048", 8), ("size4096", 9))).clone(5)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWFQQueueNumber.setStatus('current')
h3cIfQoSWFQRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWFQRowStatus.setStatus('current')
h3cIfQoSWFQType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("ip-precedence", 1), ("dscp", 2))).clone(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWFQType.setStatus('current')
h3cIfQoSWFQRunInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2))
h3cIfQoSWFQRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSWFQRunInfoTable.setStatus('current')
h3cIfQoSWFQRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSWFQRunInfoEntry.setStatus('current')
h3cIfQoSWFQSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWFQSize.setStatus('current')
h3cIfQoSWFQLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWFQLength.setStatus('current')
h3cIfQoSWFQDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWFQDiscardPackets.setStatus('current')
h3cIfQoSWFQHashedActiveQueues = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 4), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWFQHashedActiveQueues.setStatus('current')
h3cIfQoSWFQHashedMaxActiveQueues = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 5), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWFQHashedMaxActiveQueues.setStatus('current')
h3fIfQosWFQhashedTotalQueues = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 6), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3fIfQosWFQhashedTotalQueues.setStatus('current')
h3cIfQoSBandwidthGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5))
h3cIfQoSBandwidthTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1), )
if mibBuilder.loadTexts: h3cIfQoSBandwidthTable.setStatus('current')
h3cIfQoSBandwidthEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSBandwidthEntry.setStatus('current')
h3cIfQoSMaxBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSMaxBandwidth.setStatus('current')
h3cIfQoSReservedBandwidthPct = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 100)).clone(75)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSReservedBandwidthPct.setStatus('current')
h3cIfQoSBandwidthRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSBandwidthRowStatus.setStatus('current')
h3cIfQoSQmtokenGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6))
h3cIfQoSQmtokenTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1), )
if mibBuilder.loadTexts: h3cIfQoSQmtokenTable.setStatus('current')
h3cIfQoSQmtokenEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSQmtokenEntry.setStatus('current')
h3cIfQoSQmtokenNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 50))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSQmtokenNumber.setStatus('current')
h3cIfQoSQmtokenRosStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSQmtokenRosStatus.setStatus('current')
h3cIfQoSRTPQObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7))
h3cIfQoSRTPQConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1))
h3cIfQoSRTPQConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSRTPQConfigTable.setStatus('current')
h3cIfQoSRTPQConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSRTPQConfigEntry.setStatus('current')
h3cIfQoSRTPQStartPort = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2000, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRTPQStartPort.setStatus('current')
h3cIfQoSRTPQEndPort = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2000, 65535))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRTPQEndPort.setStatus('current')
h3cIfQoSRTPQReservedBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRTPQReservedBandwidth.setStatus('current')
h3cIfQoSRTPQCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 4), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRTPQCbs.setStatus('current')
h3cIfQoSRTPQRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRTPQRowStatus.setStatus('current')
h3cIfQoSRTPQRunInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2))
h3cIfQoSRTPQRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSRTPQRunInfoTable.setStatus('current')
h3cIfQoSRTPQRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSRTPQRunInfoEntry.setStatus('current')
h3cIfQoSRTPQPacketNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSRTPQPacketNumber.setStatus('current')
h3cIfQoSRTPQPacketSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 2), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSRTPQPacketSize.setStatus('current')
h3cIfQoSRTPQOutputPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSRTPQOutputPackets.setStatus('current')
h3cIfQoSRTPQDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSRTPQDiscardPackets.setStatus('current')
h3cIfQoSCarListObject = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8))
h3cIfQoCarListGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1))
h3cIfQoSCarlTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSCarlTable.setStatus('current')
h3cIfQoSCarlEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSCarlListNum"))
if mibBuilder.loadTexts: h3cIfQoSCarlEntry.setStatus('current')
h3cIfQoSCarlListNum = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cIfQoSCarlListNum.setStatus('current')
h3cIfQoSCarlParaType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("macAddress", 1), ("precMask", 2), ("dscpMask", 3)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCarlParaType.setStatus('current')
h3cIfQoSCarlParaValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 3), OctetString()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCarlParaValue.setStatus('current')
h3cIfQoSCarlRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSCarlRowStatus.setStatus('current')
h3cIfQoSLineRateObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3))
h3cIfQoSLRConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1), )
if mibBuilder.loadTexts: h3cIfQoSLRConfigTable.setStatus('current')
h3cIfQoSLRConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSLRDirection"))
if mibBuilder.loadTexts: h3cIfQoSLRConfigEntry.setStatus('current')
h3cIfQoSLRDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 1), Direction())
if mibBuilder.loadTexts: h3cIfQoSLRDirection.setStatus('current')
h3cIfQoSLRCir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 2), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSLRCir.setStatus('current')
h3cIfQoSLRCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 3), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSLRCbs.setStatus('current')
h3cIfQoSLREbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 4), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSLREbs.setStatus('current')
h3cIfQoSRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSRowStatus.setStatus('current')
h3cIfQoSLRPir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 6), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSLRPir.setStatus('current')
h3cIfQoSLRRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2), )
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoTable.setStatus('current')
h3cIfQoSLRRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSLRDirection"))
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoEntry.setStatus('current')
h3cIfQoSLRRunInfoPassedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoPassedPackets.setStatus('current')
h3cIfQoSLRRunInfoPassedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoPassedBytes.setStatus('current')
h3cIfQoSLRRunInfoDelayedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoDelayedPackets.setStatus('current')
h3cIfQoSLRRunInfoDelayedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoDelayedBytes.setStatus('current')
h3cIfQoSLRRunInfoActiveShaping = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSLRRunInfoActiveShaping.setStatus('current')
h3cIfQoSCARObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4))
h3cIfQoSAggregativeCarGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1))
h3cIfQoSAggregativeCarNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarNextIndex.setStatus('current')
h3cIfQoSAggregativeCarConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarConfigTable.setStatus('current')
h3cIfQoSAggregativeCarConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSAggregativeCarIndex"))
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarConfigEntry.setStatus('current')
h3cIfQoSAggregativeCarIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65534)))
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarIndex.setStatus('current')
h3cIfQoSAggregativeCarName = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarName.setStatus('current')
h3cIfQoSAggregativeCarCir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 3), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarCir.setStatus('current')
h3cIfQoSAggregativeCarCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 4), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarCbs.setStatus('current')
h3cIfQoSAggregativeCarEbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 5), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarEbs.setStatus('current')
h3cIfQoSAggregativeCarPir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 6), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarPir.setStatus('current')
h3cIfQoSAggregativeCarGreenActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 7), CarAction().clone('pass')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarGreenActionType.setStatus('current')
h3cIfQoSAggregativeCarGreenActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarGreenActionValue.setStatus('current')
h3cIfQoSAggregativeCarYellowActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 9), CarAction()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarYellowActionType.setStatus('current')
h3cIfQoSAggregativeCarYellowActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarYellowActionValue.setStatus('current')
h3cIfQoSAggregativeCarRedActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 11), CarAction()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRedActionType.setStatus('current')
h3cIfQoSAggregativeCarRedActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 12), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRedActionValue.setStatus('current')
h3cIfQoSAggregativeCarType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("aggregative", 1), ("notAggregative", 2)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarType.setStatus('current')
h3cIfQoSAggregativeCarRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 14), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRowStatus.setStatus('current')
h3cIfQoSAggregativeCarApplyTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3), )
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyTable.setStatus('current')
h3cIfQoSAggregativeCarApplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSAggregativeCarApplyDirection"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSAggregativeCarApplyRuleType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSAggregativeCarApplyRuleValue"))
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyEntry.setStatus('current')
h3cIfQoSAggregativeCarApplyDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 1), Direction())
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyDirection.setStatus('current')
h3cIfQoSAggregativeCarApplyRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ipv4acl", 1), ("ipv6acl", 2), ("carl", 3), ("any", 4))))
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyRuleType.setStatus('current')
h3cIfQoSAggregativeCarApplyRuleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 3), Integer32())
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyRuleValue.setStatus('current')
h3cIfQoSAggregativeCarApplyCarIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 4), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyCarIndex.setStatus('current')
h3cIfQoSAggregativeCarApplyRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarApplyRowStatus.setStatus('current')
h3cIfQoSAggregativeCarRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4), )
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRunInfoTable.setStatus('current')
h3cIfQoSAggregativeCarRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSAggregativeCarIndex"))
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRunInfoEntry.setStatus('current')
h3cIfQoSAggregativeCarGreenPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarGreenPackets.setStatus('current')
h3cIfQoSAggregativeCarGreenBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarGreenBytes.setStatus('current')
h3cIfQoSAggregativeCarYellowPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarYellowPackets.setStatus('current')
h3cIfQoSAggregativeCarYellowBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarYellowBytes.setStatus('current')
h3cIfQoSAggregativeCarRedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRedPackets.setStatus('current')
h3cIfQoSAggregativeCarRedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSAggregativeCarRedBytes.setStatus('current')
h3cIfQoSTricolorCarGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2))
h3cIfQoSTricolorCarConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSTricolorCarConfigTable.setStatus('current')
h3cIfQoSTricolorCarConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarDirection"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarValue"))
if mibBuilder.loadTexts: h3cIfQoSTricolorCarConfigEntry.setStatus('current')
h3cIfQoSTricolorCarDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 1), Direction())
if mibBuilder.loadTexts: h3cIfQoSTricolorCarDirection.setStatus('current')
h3cIfQoSTricolorCarType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("ipv4acl", 1), ("ipv6acl", 2), ("carl", 3), ("any", 4))))
if mibBuilder.loadTexts: h3cIfQoSTricolorCarType.setStatus('current')
h3cIfQoSTricolorCarValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 3), Integer32())
if mibBuilder.loadTexts: h3cIfQoSTricolorCarValue.setStatus('current')
h3cIfQoSTricolorCarCir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 4), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarCir.setStatus('current')
h3cIfQoSTricolorCarCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 5), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarCbs.setStatus('current')
h3cIfQoSTricolorCarEbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 6), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarEbs.setStatus('current')
h3cIfQoSTricolorCarPir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 7), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarPir.setStatus('current')
h3cIfQoSTricolorCarGreenActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 8), CarAction().clone('pass')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarGreenActionType.setStatus('current')
h3cIfQoSTricolorCarGreenActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarGreenActionValue.setStatus('current')
h3cIfQoSTricolorCarYellowActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 10), CarAction().clone('pass')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarYellowActionType.setStatus('current')
h3cIfQoSTricolorCarYellowActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarYellowActionValue.setStatus('current')
h3cIfQoSTricolorCarRedActionType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 12), CarAction().clone('discard')).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRedActionType.setStatus('current')
h3cIfQoSTricolorCarRedActionValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 63), ValueRangeConstraint(255, 255), ))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRedActionValue.setStatus('current')
h3cIfQoSTricolorCarRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 14), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRowStatus.setStatus('current')
h3cIfQoSTricolorCarRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2), )
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRunInfoTable.setStatus('current')
h3cIfQoSTricolorCarRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarDirection"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSTricolorCarValue"))
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRunInfoEntry.setStatus('current')
h3cIfQoSTricolorCarGreenPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarGreenPackets.setStatus('current')
h3cIfQoSTricolorCarGreenBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarGreenBytes.setStatus('current')
h3cIfQoSTricolorCarYellowPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarYellowPackets.setStatus('current')
h3cIfQoSTricolorCarYellowBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarYellowBytes.setStatus('current')
h3cIfQoSTricolorCarRedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRedPackets.setStatus('current')
h3cIfQoSTricolorCarRedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSTricolorCarRedBytes.setStatus('current')
h3cIfQoSGTSObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5))
h3cIfQoSGTSConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1), )
if mibBuilder.loadTexts: h3cIfQoSGTSConfigTable.setStatus('current')
h3cIfQoSGTSConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSGTSClassRuleType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSGTSClassRuleValue"))
if mibBuilder.loadTexts: h3cIfQoSGTSConfigEntry.setStatus('current')
h3cIfQoSGTSClassRuleType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("any", 1), ("ipv4acl", 2), ("ipv6acl", 3), ("queue", 4))))
if mibBuilder.loadTexts: h3cIfQoSGTSClassRuleType.setStatus('current')
h3cIfQoSGTSClassRuleValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 2), Integer32())
if mibBuilder.loadTexts: h3cIfQoSGTSClassRuleValue.setStatus('current')
h3cIfQoSGTSCir = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 3), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSGTSCir.setStatus('current')
h3cIfQoSGTSCbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 4), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSGTSCbs.setStatus('current')
h3cIfQoSGTSEbs = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 5), Unsigned32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSGTSEbs.setStatus('current')
h3cIfQoSGTSQueueLength = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 6), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSGTSQueueLength.setStatus('current')
h3cIfQoSGTSConfigRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 7), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSGTSConfigRowStatus.setStatus('current')
h3cIfQoSGTSRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2), )
if mibBuilder.loadTexts: h3cIfQoSGTSRunInfoTable.setStatus('current')
h3cIfQoSGTSRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSGTSClassRuleType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSGTSClassRuleValue"))
if mibBuilder.loadTexts: h3cIfQoSGTSRunInfoEntry.setStatus('current')
h3cIfQoSGTSQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSQueueSize.setStatus('current')
h3cIfQoSGTSPassedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSPassedPackets.setStatus('current')
h3cIfQoSGTSPassedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 3), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSPassedBytes.setStatus('current')
h3cIfQoSGTSDiscardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSDiscardPackets.setStatus('current')
h3cIfQoSGTSDiscardBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSDiscardBytes.setStatus('current')
h3cIfQoSGTSDelayedPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSDelayedPackets.setStatus('current')
h3cIfQoSGTSDelayedBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSGTSDelayedBytes.setStatus('current')
h3cIfQoSWREDObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6))
h3cIfQoSWredGroupGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1))
h3cIfQoSWredGroupNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredGroupNextIndex.setStatus('current')
h3cIfQoSWredGroupTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSWredGroupTable.setStatus('current')
h3cIfQoSWredGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupIndex"))
if mibBuilder.loadTexts: h3cIfQoSWredGroupEntry.setStatus('current')
h3cIfQoSWredGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cIfQoSWredGroupIndex.setStatus('current')
h3cIfQoSWredGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupName.setStatus('current')
h3cIfQoSWredGroupType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("userdefined", 0), ("dot1p", 1), ("ippre", 2), ("dscp", 3), ("localpre", 4), ("atmclp", 5), ("frde", 6), ("exp", 7), ("queue", 8), ("dropLevel", 9)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupType.setStatus('current')
h3cIfQoSWredGroupWeightingConstant = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(9)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupWeightingConstant.setStatus('current')
h3cIfQoSWredGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupRowStatus.setStatus('current')
h3cIfQoSWredGroupContentTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3), )
if mibBuilder.loadTexts: h3cIfQoSWredGroupContentTable.setStatus('current')
h3cIfQoSWredGroupContentEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupContentIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupContentSubIndex"))
if mibBuilder.loadTexts: h3cIfQoSWredGroupContentEntry.setStatus('current')
h3cIfQoSWredGroupContentIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: h3cIfQoSWredGroupContentIndex.setStatus('current')
h3cIfQoSWredGroupContentSubIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: h3cIfQoSWredGroupContentSubIndex.setStatus('current')
h3cIfQoSWredLowLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredLowLimit.setStatus('current')
h3cIfQoSWredHighLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 4), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredHighLimit.setStatus('current')
h3cIfQoSWredDiscardProb = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 5), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredDiscardProb.setStatus('current')
h3cIfQoSWredGroupExponent = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(9)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupExponent.setStatus('current')
h3cIfQoSWredRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 7), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredRowStatus.setStatus('current')
h3cIfQoSWredGroupApplyIfTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4), )
if mibBuilder.loadTexts: h3cIfQoSWredGroupApplyIfTable.setStatus('current')
h3cIfQoSWredGroupApplyIfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSWredGroupApplyIfEntry.setStatus('current')
h3cIfQoSWredGroupApplyIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 256))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupApplyIndex.setStatus('current')
h3cIfQoSWredGroupApplyName = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 2), OctetString()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredGroupApplyName.setStatus('current')
h3cIfQoSWredGroupIfRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSWredGroupIfRowStatus.setStatus('current')
h3cIfQoSWredApplyIfRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5), )
if mibBuilder.loadTexts: h3cIfQoSWredApplyIfRunInfoTable.setStatus('current')
h3cIfQoSWredApplyIfRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupContentIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSWredGroupContentSubIndex"))
if mibBuilder.loadTexts: h3cIfQoSWredApplyIfRunInfoEntry.setStatus('current')
h3cIfQoSWredPreRandomDropNum = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredPreRandomDropNum.setStatus('current')
h3cIfQoSWredPreTailDropNum = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWredPreTailDropNum.setStatus('current')
h3cIfQoSPortWredGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2))
h3cIfQoSPortWredWeightConstantTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1), )
if mibBuilder.loadTexts: h3cIfQoSPortWredWeightConstantTable.setStatus('current')
h3cIfQoSPortWredWeightConstantEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSPortWredWeightConstantEntry.setStatus('current')
h3cIfQoSPortWredEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 1), TruthValue()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredEnable.setStatus('current')
h3cIfQoSPortWredWeightConstant = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 16))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredWeightConstant.setStatus('current')
h3cIfQoSPortWredWeightConstantRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredWeightConstantRowStatus.setStatus('current')
h3cIfQoSPortWredPreConfigTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2), )
if mibBuilder.loadTexts: h3cIfQoSPortWredPreConfigTable.setStatus('current')
h3cIfQoSPortWredPreConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPortWredPreID"))
if mibBuilder.loadTexts: h3cIfQoSPortWredPreConfigEntry.setStatus('current')
h3cIfQoSPortWredPreID = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cIfQoSPortWredPreID.setStatus('current')
h3cIfQoSPortWredPreLowLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 2), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredPreLowLimit.setStatus('current')
h3cIfQoSPortWredPreHighLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 3), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredPreHighLimit.setStatus('current')
h3cIfQoSPortWredPreDiscardProbability = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 4), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredPreDiscardProbability.setStatus('current')
h3cIfQoSPortWredPreRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 5), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPortWredPreRowStatus.setStatus('current')
h3cIfQoSPortWredRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3), )
if mibBuilder.loadTexts: h3cIfQoSPortWredRunInfoTable.setStatus('current')
h3cIfQoSPortWredRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPortWredPreID"))
if mibBuilder.loadTexts: h3cIfQoSPortWredRunInfoEntry.setStatus('current')
h3cIfQoSWREDTailDropNum = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1, 1), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWREDTailDropNum.setStatus('current')
h3cIfQoSWREDRandomDropNum = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1, 2), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSWREDRandomDropNum.setStatus('current')
h3cIfQoSPortPriorityObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7))
h3cIfQoSPortPriorityConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1))
h3cIfQoSPortPriorityTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSPortPriorityTable.setStatus('current')
h3cIfQoSPortPriorityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSPortPriorityEntry.setStatus('current')
h3cIfQoSPortPriorityValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSPortPriorityValue.setStatus('current')
h3cIfQoSPortPirorityTrustTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSPortPirorityTrustTable.setStatus('current')
h3cIfQoSPortPirorityTrustEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSPortPirorityTrustEntry.setStatus('current')
h3cIfQoSPortPriorityTrustTrustType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("untrust", 1), ("dot1p", 2), ("dscp", 3), ("exp", 4))).clone('untrust')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSPortPriorityTrustTrustType.setStatus('current')
h3cIfQoSPortPriorityTrustOvercastType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("noOvercast", 1), ("overcastDSCP", 2), ("overcastCOS", 3))).clone('noOvercast')).setMaxAccess("readwrite")
if mibBuilder.loadTexts: h3cIfQoSPortPriorityTrustOvercastType.setStatus('current')
h3cIfQoSMapObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9))
h3cIfQoSPriMapConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1))
h3cIfQoSPriMapGroupNextIndex = MibScalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 1), Integer32()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupNextIndex.setStatus('current')
h3cIfQoSPriMapGroupTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2), )
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupTable.setStatus('current')
h3cIfQoSPriMapGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPriMapGroupIndex"))
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupEntry.setStatus('current')
h3cIfQoSPriMapGroupIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 1), Integer32())
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupIndex.setStatus('current')
h3cIfQoSPriMapGroupType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("userdefined", 1), ("dot1p-dp", 2), ("dot1p-dscp", 3), ("dot1p-lp", 4), ("dscp-dot1p", 5), ("dscp-dp", 6), ("dscp-dscp", 7), ("dscp-lp", 8), ("exp-dp", 9), ("exp-lp", 10)))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupType.setStatus('current')
h3cIfQoSPriMapGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupName.setStatus('current')
h3cIfQoSPriMapGroupRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 4), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupRowStatus.setStatus('current')
h3cIfQoSPriMapContentTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3), )
if mibBuilder.loadTexts: h3cIfQoSPriMapContentTable.setStatus('current')
h3cIfQoSPriMapContentEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1), ).setIndexNames((0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPriMapGroupIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cIfQoSPriMapGroupImportValue"))
if mibBuilder.loadTexts: h3cIfQoSPriMapContentEntry.setStatus('current')
h3cIfQoSPriMapGroupImportValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63)))
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupImportValue.setStatus('current')
h3cIfQoSPriMapGroupExportValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPriMapGroupExportValue.setStatus('current')
h3cIfQoSPriMapContentRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 3), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSPriMapContentRowStatus.setStatus('current')
h3cIfQoSL3PlusObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10))
h3cIfQoSPortBindingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1))
h3cIfQoSPortBindingTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1), )
if mibBuilder.loadTexts: h3cIfQoSPortBindingTable.setStatus('current')
h3cIfQoSPortBindingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"))
if mibBuilder.loadTexts: h3cIfQoSPortBindingEntry.setStatus('current')
h3cIfQoSBindingIf = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1, 1), Integer32()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSBindingIf.setStatus('current')
h3cIfQoSBindingRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1, 2), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cIfQoSBindingRowStatus.setStatus('current')
h3cQoSTraStaObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11))
h3cQoSTraStaConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1))
h3cQoSIfTraStaConfigInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1), )
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigInfoTable.setStatus('current')
h3cQoSIfTraStaConfigInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cQoSIfTraStaConfigDirection"))
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigInfoEntry.setStatus('current')
h3cQoSIfTraStaConfigDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 1), Direction())
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigDirection.setStatus('current')
h3cQoSIfTraStaConfigQueue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigQueue.setStatus('current')
h3cQoSIfTraStaConfigDot1p = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(1, 1)).setFixedLength(1)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigDot1p.setStatus('current')
h3cQoSIfTraStaConfigDscp = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigDscp.setStatus('current')
h3cQoSIfTraStaConfigVlan = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(512, 512)).setFixedLength(512)).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigVlan.setStatus('current')
h3cQoSIfTraStaConfigStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 6), RowStatus()).setMaxAccess("readcreate")
if mibBuilder.loadTexts: h3cQoSIfTraStaConfigStatus.setStatus('current')
h3cQoSTraStaRunGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2))
h3cQoSIfTraStaRunInfoTable = MibTable((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1), )
if mibBuilder.loadTexts: h3cQoSIfTraStaRunInfoTable.setStatus('current')
h3cQoSIfTraStaRunInfoEntry = MibTableRow((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cQoSIfTraStaRunObjectType"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cQoSIfTraStaRunObjectValue"), (0, "A3COM-HUAWEI-IFQOS2-MIB", "h3cQoSIfTraStaRunDirection"))
if mibBuilder.loadTexts: h3cQoSIfTraStaRunInfoEntry.setStatus('current')
h3cQoSIfTraStaRunObjectType = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("queue", 1), ("dot1p", 2), ("dscp", 3), ("vlanID", 4))))
if mibBuilder.loadTexts: h3cQoSIfTraStaRunObjectType.setStatus('current')
h3cQoSIfTraStaRunObjectValue = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 2), Integer32())
if mibBuilder.loadTexts: h3cQoSIfTraStaRunObjectValue.setStatus('current')
h3cQoSIfTraStaRunDirection = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 3), Direction())
if mibBuilder.loadTexts: h3cQoSIfTraStaRunDirection.setStatus('current')
h3cQoSIfTraStaRunPassPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 4), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunPassPackets.setStatus('current')
h3cQoSIfTraStaRunDropPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 5), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunDropPackets.setStatus('current')
h3cQoSIfTraStaRunPassBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 6), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunPassBytes.setStatus('current')
h3cQoSIfTraStaRunDropBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 7), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunDropBytes.setStatus('current')
h3cQoSIfTraStaRunPassPPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 8), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunPassPPS.setStatus('current')
h3cQoSIfTraStaRunPassBPS = MibTableColumn((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 9), Counter64()).setMaxAccess("readonly")
if mibBuilder.loadTexts: h3cQoSIfTraStaRunPassBPS.setStatus('current')
mibBuilder.exportSymbols("A3COM-HUAWEI-IFQOS2-MIB", h3cIfQoSCarlParaType=h3cIfQoSCarlParaType, h3cIfQoSTailDropBytes=h3cIfQoSTailDropBytes, h3cIfQoSGTSDiscardPackets=h3cIfQoSGTSDiscardPackets, h3cIfQoSAggregativeCarRunInfoTable=h3cIfQoSAggregativeCarRunInfoTable, h3cIfQoSGTSClassRuleValue=h3cIfQoSGTSClassRuleValue, h3cIfQoSCQClassRuleEntry=h3cIfQoSCQClassRuleEntry, h3cIfQoSAggregativeCarName=h3cIfQoSAggregativeCarName, h3cIfQoSPortWredPreID=h3cIfQoSPortWredPreID, h3cIfQoSWredGroupExponent=h3cIfQoSWredGroupExponent, h3cIfQoSRTPQRunInfoGroup=h3cIfQoSRTPQRunInfoGroup, h3cIfQoSPriMapGroupRowStatus=h3cIfQoSPriMapGroupRowStatus, h3cIfQoSPQApplyListNumber=h3cIfQoSPQApplyListNumber, h3cIfQoSTricolorCarCir=h3cIfQoSTricolorCarCir, h3cIfQoSPQRunInfoTable=h3cIfQoSPQRunInfoTable, h3cIfQoSPriMapGroupTable=h3cIfQoSPriMapGroupTable, h3cIfQoSQSMaxDelay=h3cIfQoSQSMaxDelay, h3cIfQoSAggregativeCarGreenBytes=h3cIfQoSAggregativeCarGreenBytes, h3cIfQoSPortPriorityValue=h3cIfQoSPortPriorityValue, h3cIfQoSRTPQEndPort=h3cIfQoSRTPQEndPort, h3cQoSTraStaRunGroup=h3cQoSTraStaRunGroup, h3cIfQoSPriMapContentTable=h3cIfQoSPriMapContentTable, h3cIfQoSPQClassRuleQueueType=h3cIfQoSPQClassRuleQueueType, h3cIfQoSWredGroupIndex=h3cIfQoSWredGroupIndex, h3cIfQoSPQQueueLengthType=h3cIfQoSPQQueueLengthType, h3cIfQoSQueueLengthInBytes=h3cIfQoSQueueLengthInBytes, h3cIfQoSCQClassRowStatus=h3cIfQoSCQClassRowStatus, h3cIfQoSAggregativeCarApplyDirection=h3cIfQoSAggregativeCarApplyDirection, h3cIfQoSPQClassRuleType=h3cIfQoSPQClassRuleType, h3cIfQoSPriMapGroupExportValue=h3cIfQoSPriMapGroupExportValue, h3cIfQoSWredDropHPreNTcpBPS=h3cIfQoSWredDropHPreNTcpBPS, h3cIfQoSAggregativeCarYellowPackets=h3cIfQoSAggregativeCarYellowPackets, h3cIfQoSWredDiscardProb=h3cIfQoSWredDiscardProb, h3cIfQoSCQApplyRowStatus=h3cIfQoSCQApplyRowStatus, h3cIfQoSWredGroupApplyIfEntry=h3cIfQoSWredGroupApplyIfEntry, h3cIfQoSLREbs=h3cIfQoSLREbs, h3cIfQoSPQDefaultQueueType=h3cIfQoSPQDefaultQueueType, h3cIfQoSPortPriorityEntry=h3cIfQoSPortPriorityEntry, h3cIfQoSQSModeTable=h3cIfQoSQSModeTable, h3cIfQoSLRRunInfoTable=h3cIfQoSLRRunInfoTable, h3cIfQoSReservedBandwidthPct=h3cIfQoSReservedBandwidthPct, h3cIfQoSWredGroupTable=h3cIfQoSWredGroupTable, h3cIfQoSLRRunInfoDelayedPackets=h3cIfQoSLRRunInfoDelayedPackets, h3cIfQoSAggregativeCarConfigTable=h3cIfQoSAggregativeCarConfigTable, h3cIfQoSCurQueueBytes=h3cIfQoSCurQueueBytes, h3cIfQoSCQQueueLengthTable=h3cIfQoSCQQueueLengthTable, h3cIfQoSWredGroupRowStatus=h3cIfQoSWredGroupRowStatus, h3cIfQoSPQRunInfoGroup=h3cIfQoSPQRunInfoGroup, h3cIfQoSRTPQOutputPackets=h3cIfQoSRTPQOutputPackets, h3cIfQoSFIFOConfigEntry=h3cIfQoSFIFOConfigEntry, h3cQoSIfTraStaRunObjectType=h3cQoSIfTraStaRunObjectType, h3cIfQoSWredGroupApplyName=h3cIfQoSWredGroupApplyName, h3cIfQoSQSMinBandwidth=h3cIfQoSQSMinBandwidth, h3cIfQoSPortPriorityTrustTrustType=h3cIfQoSPortPriorityTrustTrustType, h3cIfQoSPQConfigGroup=h3cIfQoSPQConfigGroup, h3cIfQoSPortPriorityTrustOvercastType=h3cIfQoSPortPriorityTrustOvercastType, h3cIfQoSTricolorCarRowStatus=h3cIfQoSTricolorCarRowStatus, h3cIfQoSWFQRunInfoTable=h3cIfQoSWFQRunInfoTable, h3cIfQoSLRPir=h3cIfQoSLRPir, h3cIfQoSWredPreTailDropNum=h3cIfQoSWredPreTailDropNum, h3cIfQoSPortWredEnable=h3cIfQoSPortWredEnable, h3cIfQoSBindingIf=h3cIfQoSBindingIf, h3cIfQoSWredDropLPreTcpBytes=h3cIfQoSWredDropLPreTcpBytes, h3cIfQoSAggregativeCarIndex=h3cIfQoSAggregativeCarIndex, h3cQoSIfTraStaRunDropPackets=h3cQoSIfTraStaRunDropPackets, h3cIfQoSCQObject=h3cIfQoSCQObject, h3cIfQoSAggregativeCarRedBytes=h3cIfQoSAggregativeCarRedBytes, h3cIfQoSAggregativeCarNextIndex=h3cIfQoSAggregativeCarNextIndex, h3cIfQoSWredGroupContentIndex=h3cIfQoSWredGroupContentIndex, h3cIfQoSPQRunInfoEntry=h3cIfQoSPQRunInfoEntry, h3cIfQoSPQDefaultTable=h3cIfQoSPQDefaultTable, h3cIfQoSPortWredWeightConstantRowStatus=h3cIfQoSPortWredWeightConstantRowStatus, h3cQoSIfTraStaRunPassBPS=h3cQoSIfTraStaRunPassBPS, h3cIfQoSFIFOObject=h3cIfQoSFIFOObject, h3cIfQoSWredApplyIfRunInfoTable=h3cIfQoSWredApplyIfRunInfoTable, h3cIfQoSCQRunInfoEntry=h3cIfQoSCQRunInfoEntry, h3cIfQoSAggregativeCarRedPackets=h3cIfQoSAggregativeCarRedPackets, h3cIfQoSWredDropHPreNTcpBytes=h3cIfQoSWredDropHPreNTcpBytes, h3cIfQoSGTSRunInfoEntry=h3cIfQoSGTSRunInfoEntry, h3cIfQoSWFQType=h3cIfQoSWFQType, h3cIfQoSTricolorCarGreenActionType=h3cIfQoSTricolorCarGreenActionType, h3cIfQoSWredGroupContentTable=h3cIfQoSWredGroupContentTable, h3cIfQoSBindingRowStatus=h3cIfQoSBindingRowStatus, h3cIfQoSTricolorCarConfigEntry=h3cIfQoSTricolorCarConfigEntry, h3cIfQoSFIFOMaxQueueLen=h3cIfQoSFIFOMaxQueueLen, h3cIfQoSHQueueTcpRunInfoEntry=h3cIfQoSHQueueTcpRunInfoEntry, h3cIfQoSAggregativeCarRunInfoEntry=h3cIfQoSAggregativeCarRunInfoEntry, h3cIfQoSPQApplyRowStatus=h3cIfQoSPQApplyRowStatus, h3cIfQoSRTPQRowStatus=h3cIfQoSRTPQRowStatus, h3cIfQoSAggregativeCarYellowActionType=h3cIfQoSAggregativeCarYellowActionType, h3cIfQoSCQDefaultQueueID=h3cIfQoSCQDefaultQueueID, h3cIfQoSRTPQPacketSize=h3cIfQoSRTPQPacketSize, h3cIfQoSWredGroupContentEntry=h3cIfQoSWredGroupContentEntry, h3cIfQoSPQClassRuleValue=h3cIfQoSPQClassRuleValue, h3cIfQoSPQDefaultEntry=h3cIfQoSPQDefaultEntry, h3cIfQoSWFQObject=h3cIfQoSWFQObject, h3cIfQoSPortWredRunInfoTable=h3cIfQoSPortWredRunInfoTable, h3cIfQoSMapObjects=h3cIfQoSMapObjects, h3cIfQoSQmtokenGroup=h3cIfQoSQmtokenGroup, h3cIfQoSAggregativeCarGreenPackets=h3cIfQoSAggregativeCarGreenPackets, h3cIfQoSCQDefaultTable=h3cIfQoSCQDefaultTable, h3cIfQoSGTSDelayedBytes=h3cIfQoSGTSDelayedBytes, h3cIfQoSPriMapGroupEntry=h3cIfQoSPriMapGroupEntry, h3cIfQoSCQDefaultEntry=h3cIfQoSCQDefaultEntry, h3cIfQoSTricolorCarEbs=h3cIfQoSTricolorCarEbs, h3cIfQoSQSType=h3cIfQoSQSType, h3cIfQoSCurQueueBPS=h3cIfQoSCurQueueBPS, h3cIfQoSPQClassRuleTable=h3cIfQoSPQClassRuleTable, h3cIfQoSLRCbs=h3cIfQoSLRCbs, h3cIfQoSQueueLengthInPkts=h3cIfQoSQueueLengthInPkts, h3cIfQoSQueueGroupType=h3cIfQoSQueueGroupType, h3cIfQoSLRRunInfoDelayedBytes=h3cIfQoSLRRunInfoDelayedBytes, h3cIfQoSWredDropBytes=h3cIfQoSWredDropBytes, h3cIfQoSRTPQRunInfoTable=h3cIfQoSRTPQRunInfoTable, h3cIfQoSWredGroupApplyIndex=h3cIfQoSWredGroupApplyIndex, h3cIfQoSCarlParaValue=h3cIfQoSCarlParaValue, h3cIfQoSAggregativeCarRedActionValue=h3cIfQoSAggregativeCarRedActionValue, h3cIfQoSPortWredGroup=h3cIfQoSPortWredGroup, h3cIfQoSPortWredWeightConstantEntry=h3cIfQoSPortWredWeightConstantEntry, h3cIfQoSWredGroupWeightingConstant=h3cIfQoSWredGroupWeightingConstant, h3cIfQoSPQType=h3cIfQoSPQType, h3cIfQoSDropBytes=h3cIfQoSDropBytes, h3cIfQoSBandwidthTable=h3cIfQoSBandwidthTable, h3cIfQoSWredDropPPS=h3cIfQoSWredDropPPS, h3cIfQoSRTPQConfigTable=h3cIfQoSRTPQConfigTable, h3cIfQoSAggregativeCarApplyRowStatus=h3cIfQoSAggregativeCarApplyRowStatus, h3cIfQoSWredDropLPreNTcpPkts=h3cIfQoSWredDropLPreNTcpPkts, h3cIfQoSHardwareQueueObjects=h3cIfQoSHardwareQueueObjects, h3cIfQoSWFQLength=h3cIfQoSWFQLength, h3cQoSIfTraStaRunObjectValue=h3cQoSIfTraStaRunObjectValue, h3cQoSTraStaObjects=h3cQoSTraStaObjects, h3cIfQoSWredGroupApplyIfTable=h3cIfQoSWredGroupApplyIfTable, h3cIfQoSWREDTailDropNum=h3cIfQoSWREDTailDropNum, h3cIfQoSLRConfigEntry=h3cIfQoSLRConfigEntry, h3cIfQoSQSModeEntry=h3cIfQoSQSModeEntry, h3cIfQoSAggregativeCarGroup=h3cIfQoSAggregativeCarGroup, h3cIfQoSQSWeightTable=h3cIfQoSQSWeightTable, h3cIfQoSCQClassRuleValue=h3cIfQoSCQClassRuleValue, h3cIfQoSCQQueueLength=h3cIfQoSCQQueueLength, h3cIfQoSFIFODiscardPackets=h3cIfQoSFIFODiscardPackets, h3cIfQoSTricolorCarPir=h3cIfQoSTricolorCarPir, h3cIfQoSTricolorCarGroup=h3cIfQoSTricolorCarGroup, h3cIfQoSWredGroupIfRowStatus=h3cIfQoSWredGroupIfRowStatus, h3cIfQoSAggregativeCarRedActionType=h3cIfQoSAggregativeCarRedActionType, h3cIfQoCarListGroup=h3cIfQoCarListGroup, h3cIfQoSBandwidthEntry=h3cIfQoSBandwidthEntry, h3cIfQoSLRConfigTable=h3cIfQoSLRConfigTable, h3cIfQoSPortBindingGroup=h3cIfQoSPortBindingGroup, h3cIfQoSTricolorCarConfigTable=h3cIfQoSTricolorCarConfigTable, h3cIfQoSWredDropHPreNTcpPPS=h3cIfQoSWredDropHPreNTcpPPS, h3cIfQoSPriMapContentEntry=h3cIfQoSPriMapContentEntry, h3cIfQoSLRRunInfoActiveShaping=h3cIfQoSLRRunInfoActiveShaping, h3cIfQoSCQClassRuleType=h3cIfQoSCQClassRuleType, h3cIfQoSRTPQStartPort=h3cIfQoSRTPQStartPort, h3cIfQoSQSMode=h3cIfQoSQSMode, h3cIfQoSPQQueueLengthValue=h3cIfQoSPQQueueLengthValue, h3cIfQoSPQClassRowStatus=h3cIfQoSPQClassRowStatus, h3cIfQoSGTSQueueLength=h3cIfQoSGTSQueueLength, h3cQos2=h3cQos2, h3cIfQoSWredDropBPS=h3cIfQoSWredDropBPS, h3cIfQoSCQClassRuleTable=h3cIfQoSCQClassRuleTable, h3cIfQoSQmtokenTable=h3cIfQoSQmtokenTable, h3cIfQoSWredHighLimit=h3cIfQoSWredHighLimit, h3cIfQoSHardwareQueueRunInfoTable=h3cIfQoSHardwareQueueRunInfoTable, h3cIfQoSAggregativeCarPir=h3cIfQoSAggregativeCarPir, h3cIfQoSPQQueueLengthEntry=h3cIfQoSPQQueueLengthEntry, h3cIfQoSAggregativeCarCir=h3cIfQoSAggregativeCarCir, h3cIfQoSBandwidthRowStatus=h3cIfQoSBandwidthRowStatus, h3cIfQoSPortWredPreLowLimit=h3cIfQoSPortWredPreLowLimit, h3cIfQoSPortWredPreRowStatus=h3cIfQoSPortWredPreRowStatus, h3cIfQoSCarlRowStatus=h3cIfQoSCarlRowStatus, h3cIfQoSCQRunInfoDiscardPackets=h3cIfQoSCQRunInfoDiscardPackets, h3cIfQoSLRRunInfoPassedPackets=h3cIfQoSLRRunInfoPassedPackets, h3cIfQoSTailDropPPS=h3cIfQoSTailDropPPS, h3cIfQoSWredDropHPreTcpPPS=h3cIfQoSWredDropHPreTcpPPS, h3cIfQoSCQConfigGroup=h3cIfQoSCQConfigGroup, h3cIfQoSRTPQCbs=h3cIfQoSRTPQCbs, h3cIfQoSHQueueTcpRunInfoTable=h3cIfQoSHQueueTcpRunInfoTable, h3cIfQoSWFQHashedActiveQueues=h3cIfQoSWFQHashedActiveQueues, h3cIfQoSWFQDiscardPackets=h3cIfQoSWFQDiscardPackets, h3cIfQoSAggregativeCarApplyEntry=h3cIfQoSAggregativeCarApplyEntry, h3cIfQoSLRCir=h3cIfQoSLRCir, h3cIfQoSPortPriorityObjects=h3cIfQoSPortPriorityObjects, h3cIfQoSWredDropLPreTcpPkts=h3cIfQoSWredDropLPreTcpPkts, h3cIfQoSPortPirorityTrustEntry=h3cIfQoSPortPirorityTrustEntry, h3cQoSIfTraStaRunPassPackets=h3cQoSIfTraStaRunPassPackets, h3cQoSIfTraStaConfigDirection=h3cQoSIfTraStaConfigDirection, h3cIfQoSWFQRunInfoGroup=h3cIfQoSWFQRunInfoGroup, h3cQoSIfTraStaConfigVlan=h3cQoSIfTraStaConfigVlan, h3cIfQoSWredGroupNextIndex=h3cIfQoSWredGroupNextIndex, h3cIfQoSGTSPassedBytes=h3cIfQoSGTSPassedBytes, h3cIfQoSWFQRunInfoEntry=h3cIfQoSWFQRunInfoEntry, h3cIfQoSAggregativeCarYellowBytes=h3cIfQoSAggregativeCarYellowBytes, h3cIfQoSCQListNumber=h3cIfQoSCQListNumber, h3cIfQoSWredApplyIfRunInfoEntry=h3cIfQoSWredApplyIfRunInfoEntry, h3cIfQoSWredDropLPreNTcpBytes=h3cIfQoSWredDropLPreNTcpBytes, h3cIfQoSAggregativeCarCbs=h3cIfQoSAggregativeCarCbs, h3cIfQoSWredPreRandomDropNum=h3cIfQoSWredPreRandomDropNum, h3cIfQoSQSWeightEntry=h3cIfQoSQSWeightEntry, h3cIfQoSPQClassRuleEntry=h3cIfQoSPQClassRuleEntry, h3cIfQoSWredDropHPreNTcpPkts=h3cIfQoSWredDropHPreNTcpPkts, h3cQoSIfTraStaRunDirection=h3cQoSIfTraStaRunDirection, h3cIfQoSCarlListNum=h3cIfQoSCarlListNum, h3cIfQoSCQQueueLengthEntry=h3cIfQoSCQQueueLengthEntry, h3cIfQoSRTPQPacketNumber=h3cIfQoSRTPQPacketNumber, h3cIfQoSWFQHashedMaxActiveQueues=h3cIfQoSWFQHashedMaxActiveQueues, h3cIfQoSHardwareQueueConfigGroup=h3cIfQoSHardwareQueueConfigGroup, h3cIfQoSRTPQDiscardPackets=h3cIfQoSRTPQDiscardPackets, h3cIfQoSGTSRunInfoTable=h3cIfQoSGTSRunInfoTable, h3cIfQoSWFQQueueNumber=h3cIfQoSWFQQueueNumber, h3cIfQoSSoftwareQueueObjects=h3cIfQoSSoftwareQueueObjects, h3cIfQoSQmtokenRosStatus=h3cIfQoSQmtokenRosStatus, h3cQoSIfTraStaRunInfoTable=h3cQoSIfTraStaRunInfoTable, h3cIfQoSMaxBandwidth=h3cIfQoSMaxBandwidth, h3cIfQoSAggregativeCarApplyRuleType=h3cIfQoSAggregativeCarApplyRuleType, h3cIfQoSQueueID=h3cIfQoSQueueID, h3cIfQoSPQSize=h3cIfQoSPQSize, h3cQoSIfTraStaRunPassBytes=h3cQoSIfTraStaRunPassBytes, h3cIfQoSTricolorCarRedPackets=h3cIfQoSTricolorCarRedPackets, h3cIfQoSTailDropBPS=h3cIfQoSTailDropBPS, h3cIfQoSPassBPS=h3cIfQoSPassBPS, h3cIfQoSAggregativeCarApplyRuleValue=h3cIfQoSAggregativeCarApplyRuleValue, CarAction=CarAction, h3cIfQoSPortWredWeightConstantTable=h3cIfQoSPortWredWeightConstantTable, h3cIfQoSWredDropLPreTcpBPS=h3cIfQoSWredDropLPreTcpBPS, h3cIfQoSTricolorCarRedBytes=h3cIfQoSTricolorCarRedBytes, h3cIfQoSCQApplyEntry=h3cIfQoSCQApplyEntry, h3cIfQoSAggregativeCarEbs=h3cIfQoSAggregativeCarEbs, h3cIfQoSAggregativeCarConfigEntry=h3cIfQoSAggregativeCarConfigEntry, h3cIfQoSTricolorCarYellowActionType=h3cIfQoSTricolorCarYellowActionType, PriorityQueue=PriorityQueue, h3cIfQoSTricolorCarValue=h3cIfQoSTricolorCarValue, h3cQoSTraStaConfigGroup=h3cQoSTraStaConfigGroup, h3cIfQoSGTSConfigRowStatus=h3cIfQoSGTSConfigRowStatus, h3cIfQoSPriMapGroupNextIndex=h3cIfQoSPriMapGroupNextIndex, h3cIfQoSQmtokenNumber=h3cIfQoSQmtokenNumber, h3cIfQoSCurQueuePPS=h3cIfQoSCurQueuePPS, h3cIfQoSWREDRandomDropNum=h3cIfQoSWREDRandomDropNum, h3cIfQoSWFQTable=h3cIfQoSWFQTable, h3cIfQoSTricolorCarYellowBytes=h3cIfQoSTricolorCarYellowBytes, h3cIfQoSPortWredPreConfigTable=h3cIfQoSPortWredPreConfigTable, h3cQoSIfTraStaConfigInfoEntry=h3cQoSIfTraStaConfigInfoEntry, h3cIfQoSTricolorCarRunInfoTable=h3cIfQoSTricolorCarRunInfoTable, h3cIfQoSLRDirection=h3cIfQoSLRDirection, h3cIfQoSCQApplyListNumber=h3cIfQoSCQApplyListNumber, h3cIfQoSRTPQRunInfoEntry=h3cIfQoSRTPQRunInfoEntry, h3cIfQoSTricolorCarGreenActionValue=h3cIfQoSTricolorCarGreenActionValue, h3cIfQoSAggregativeCarGreenActionType=h3cIfQoSAggregativeCarGreenActionType, h3cIfQoSWredRowStatus=h3cIfQoSWredRowStatus, h3cIfQoSPortPriorityConfigGroup=h3cIfQoSPortPriorityConfigGroup, h3cIfQoSTricolorCarRedActionValue=h3cIfQoSTricolorCarRedActionValue, h3cIfQoSPortWredRunInfoEntry=h3cIfQoSPortWredRunInfoEntry, h3cIfQoSWFQEntry=h3cIfQoSWFQEntry, h3cIfQoSPortPriorityTable=h3cIfQoSPortPriorityTable, h3cIfQoSDropPackets=h3cIfQoSDropPackets)
mibBuilder.exportSymbols("A3COM-HUAWEI-IFQOS2-MIB", h3cIfQoSWredDropLPreNTcpPPS=h3cIfQoSWredDropLPreNTcpPPS, h3cIfQoSTricolorCarCbs=h3cIfQoSTricolorCarCbs, h3cQoSIfTraStaConfigInfoTable=h3cQoSIfTraStaConfigInfoTable, h3cIfQoSWFQConfigGroup=h3cIfQoSWFQConfigGroup, h3cQoSIfTraStaConfigQueue=h3cQoSIfTraStaConfigQueue, h3cIfQoSCarlEntry=h3cIfQoSCarlEntry, h3cIfQoSTricolorCarYellowActionValue=h3cIfQoSTricolorCarYellowActionValue, h3cIfQoSHardwareQueueRunInfoEntry=h3cIfQoSHardwareQueueRunInfoEntry, h3cIfQoSGTSPassedPackets=h3cIfQoSGTSPassedPackets, h3cIfQoSTricolorCarRedActionType=h3cIfQoSTricolorCarRedActionType, h3cIfQoSPortBindingTable=h3cIfQoSPortBindingTable, h3cIfQoSCQApplyTable=h3cIfQoSCQApplyTable, h3cIfQoSQSValue=h3cIfQoSQSValue, h3cIfQoSTricolorCarType=h3cIfQoSTricolorCarType, h3cIfQoSCQQueueServing=h3cIfQoSCQQueueServing, h3cIfQoSPriMapConfigGroup=h3cIfQoSPriMapConfigGroup, h3cIfQoSPortBindingEntry=h3cIfQoSPortBindingEntry, h3cIfQoSWredDropLPreTcpPPS=h3cIfQoSWredDropLPreTcpPPS, h3cIfQoSFIFORunInfoTable=h3cIfQoSFIFORunInfoTable, h3cIfQoSQmtokenEntry=h3cIfQoSQmtokenEntry, h3cIfQoSAggregativeCarApplyTable=h3cIfQoSAggregativeCarApplyTable, h3cIfQoSWredDropPkts=h3cIfQoSWredDropPkts, h3cIfQoSLRRunInfoPassedBytes=h3cIfQoSLRRunInfoPassedBytes, h3cIfQoSGTSQueueSize=h3cIfQoSGTSQueueSize, h3cIfQoSPQApplyTable=h3cIfQoSPQApplyTable, h3cIfQoSCarlTable=h3cIfQoSCarlTable, h3cIfQoSPQDiscardPackets=h3cIfQoSPQDiscardPackets, h3cIfQoSPQQueueLengthTable=h3cIfQoSPQQueueLengthTable, h3cIfQoSWredGroupGroup=h3cIfQoSWredGroupGroup, h3cQoSIfTraStaRunPassPPS=h3cQoSIfTraStaRunPassPPS, PYSNMP_MODULE_ID=h3cIfQos2, h3cIfQoSWredDropHPreTcpBytes=h3cIfQoSWredDropHPreTcpBytes, h3cIfQoSAggregativeCarRowStatus=h3cIfQoSAggregativeCarRowStatus, h3cIfQoSGTSCir=h3cIfQoSGTSCir, h3cIfQoSWFQSize=h3cIfQoSWFQSize, h3cIfQoSGTSObjects=h3cIfQoSGTSObjects, h3fIfQosWFQhashedTotalQueues=h3fIfQosWFQhashedTotalQueues, h3cIfQoSWFQRowStatus=h3cIfQoSWFQRowStatus, h3cIfQoSGTSEbs=h3cIfQoSGTSEbs, h3cIfQoSWredDropHPreTcpBPS=h3cIfQoSWredDropHPreTcpBPS, h3cIfQoSGTSConfigTable=h3cIfQoSGTSConfigTable, h3cIfQoSFIFORunInfoEntry=h3cIfQoSFIFORunInfoEntry, h3cIfQoSWredGroupContentSubIndex=h3cIfQoSWredGroupContentSubIndex, h3cIfQoSPortWredPreDiscardProbability=h3cIfQoSPortWredPreDiscardProbability, h3cIfQoSGTSClassRuleType=h3cIfQoSGTSClassRuleType, h3cIfQoSAggregativeCarYellowActionValue=h3cIfQoSAggregativeCarYellowActionValue, h3cIfQoSWREDObjects=h3cIfQoSWREDObjects, h3cIfQoSHardwareQueueRunInfoGroup=h3cIfQoSHardwareQueueRunInfoGroup, h3cIfQoSCQRunInfoGroup=h3cIfQoSCQRunInfoGroup, h3cIfQoSPortWredPreConfigEntry=h3cIfQoSPortWredPreConfigEntry, h3cIfQoSRowStatus=h3cIfQoSRowStatus, h3cIfQoSPassBytes=h3cIfQoSPassBytes, h3cIfQoSLineRateObjects=h3cIfQoSLineRateObjects, h3cIfQoSWredDropLPreNTcpBPS=h3cIfQoSWredDropLPreNTcpBPS, h3cIfQoSWredGroupName=h3cIfQoSWredGroupName, h3cIfQoSTricolorCarDirection=h3cIfQoSTricolorCarDirection, h3cIfQoSPriMapGroupType=h3cIfQoSPriMapGroupType, h3cIfQoSPQLength=h3cIfQoSPQLength, h3cIfQoSPriMapGroupImportValue=h3cIfQoSPriMapGroupImportValue, h3cIfQoSL3PlusObjects=h3cIfQoSL3PlusObjects, h3cIfQoSAggregativeCarApplyCarIndex=h3cIfQoSAggregativeCarApplyCarIndex, h3cIfQoSWredDropHPreTcpPkts=h3cIfQoSWredDropHPreTcpPkts, h3cIfQoSPQListNumber=h3cIfQoSPQListNumber, h3cQoSIfTraStaRunDropBytes=h3cQoSIfTraStaRunDropBytes, h3cQoSIfTraStaConfigDscp=h3cQoSIfTraStaConfigDscp, h3cIfQoSCQQueueID=h3cIfQoSCQQueueID, h3cIfQoSCQClassRuleQueueID=h3cIfQoSCQClassRuleQueueID, h3cIfQoSCQRunInfoLength=h3cIfQoSCQRunInfoLength, h3cIfQoSCQRunInfoSize=h3cIfQoSCQRunInfoSize, h3cIfQoSCARObjects=h3cIfQoSCARObjects, h3cIfQoSPortWredPreHighLimit=h3cIfQoSPortWredPreHighLimit, h3cIfQoSFIFOSize=h3cIfQoSFIFOSize, h3cIfQoSGTSConfigEntry=h3cIfQoSGTSConfigEntry, h3cIfQoSWredGroupEntry=h3cIfQoSWredGroupEntry, h3cIfQoSCurQueuePkts=h3cIfQoSCurQueuePkts, h3cIfQoSGTSDelayedPackets=h3cIfQoSGTSDelayedPackets, h3cIfQoSPassPPS=h3cIfQoSPassPPS, h3cIfQoSFIFOConfigTable=h3cIfQoSFIFOConfigTable, h3cIfQoSAggregativeCarGreenActionValue=h3cIfQoSAggregativeCarGreenActionValue, h3cIfQoSCQRunInfoTable=h3cIfQoSCQRunInfoTable, h3cIfQos2=h3cIfQos2, h3cIfQoSPriMapGroupName=h3cIfQoSPriMapGroupName, h3cIfQoSRTPQObject=h3cIfQoSRTPQObject, h3cIfQoSRTPQReservedBandwidth=h3cIfQoSRTPQReservedBandwidth, h3cIfQoSRTPQConfigGroup=h3cIfQoSRTPQConfigGroup, h3cIfQoSTricolorCarGreenPackets=h3cIfQoSTricolorCarGreenPackets, h3cIfQoSPriMapGroupIndex=h3cIfQoSPriMapGroupIndex, h3cIfQoSPQObject=h3cIfQoSPQObject, h3cIfQoSTricolorCarYellowPackets=h3cIfQoSTricolorCarYellowPackets, h3cIfQoSAggregativeCarType=h3cIfQoSAggregativeCarType, h3cQoSIfTraStaConfigDot1p=h3cQoSIfTraStaConfigDot1p, h3cIfQoSLRRunInfoEntry=h3cIfQoSLRRunInfoEntry, h3cIfQoSWFQQueueLength=h3cIfQoSWFQQueueLength, h3cIfQoSPriMapContentRowStatus=h3cIfQoSPriMapContentRowStatus, h3cIfQoSBandwidthGroup=h3cIfQoSBandwidthGroup, h3cIfQoSRTPQConfigEntry=h3cIfQoSRTPQConfigEntry, h3cQoSIfTraStaRunInfoEntry=h3cQoSIfTraStaRunInfoEntry, h3cIfQoSPassPackets=h3cIfQoSPassPackets, h3cIfQoSGTSDiscardBytes=h3cIfQoSGTSDiscardBytes, h3cQoSIfTraStaConfigStatus=h3cQoSIfTraStaConfigStatus, h3cIfQoSTailDropPkts=h3cIfQoSTailDropPkts, h3cIfQoSTricolorCarRunInfoEntry=h3cIfQoSTricolorCarRunInfoEntry, h3cIfQoSWredGroupType=h3cIfQoSWredGroupType, h3cIfQoSWredLowLimit=h3cIfQoSWredLowLimit, h3cIfQoSPortPirorityTrustTable=h3cIfQoSPortPirorityTrustTable, h3cIfQoSGTSCbs=h3cIfQoSGTSCbs, h3cIfQoSCarListObject=h3cIfQoSCarListObject, h3cIfQoSTricolorCarGreenBytes=h3cIfQoSTricolorCarGreenBytes, h3cIfQoSPQApplyEntry=h3cIfQoSPQApplyEntry, h3cIfQoSPortWredWeightConstant=h3cIfQoSPortWredWeightConstant, Direction=Direction)
|
(h3c_common,) = mibBuilder.importSymbols('A3COM-HUAWEI-OID-MIB', 'h3cCommon')
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier')
(named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues')
(constraints_intersection, value_range_constraint, constraints_union, single_value_constraint, value_size_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ConstraintsIntersection', 'ValueRangeConstraint', 'ConstraintsUnion', 'SingleValueConstraint', 'ValueSizeConstraint')
(if_index,) = mibBuilder.importSymbols('IF-MIB', 'ifIndex')
(notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance')
(notification_type, object_identity, counter32, bits, gauge32, counter64, unsigned32, iso, mib_scalar, mib_table, mib_table_row, mib_table_column, mib_identifier, module_identity, ip_address, integer32, time_ticks) = mibBuilder.importSymbols('SNMPv2-SMI', 'NotificationType', 'ObjectIdentity', 'Counter32', 'Bits', 'Gauge32', 'Counter64', 'Unsigned32', 'iso', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'MibIdentifier', 'ModuleIdentity', 'IpAddress', 'Integer32', 'TimeTicks')
(row_status, display_string, textual_convention, truth_value) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'DisplayString', 'TextualConvention', 'TruthValue')
h3c_if_qos2 = module_identity((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1))
if mibBuilder.loadTexts:
h3cIfQos2.setLastUpdated('200812020000Z')
if mibBuilder.loadTexts:
h3cIfQos2.setOrganization('H3C Technologies Co.,Ltd.')
h3c_qos2 = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65))
class Caraction(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))
named_values = named_values(('invalid', 0), ('pass', 1), ('continue', 2), ('discard', 3), ('remark', 4), ('remark-ip-continue', 5), ('remark-ip-pass', 6), ('remark-mplsexp-continue', 7), ('remark-mplsexp-pass', 8), ('remark-dscp-continue', 9), ('remark-dscp-pass', 10), ('remark-dot1p-continue', 11), ('remark-dot1p-pass', 12), ('remark-atm-clp-continue', 13), ('remark-atm-clp-pass', 14), ('remark-fr-de-continue', 15), ('remark-fr-de-pass', 16))
class Priorityqueue(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4))
named_values = named_values(('top', 1), ('middle', 2), ('normal', 3), ('bottom', 4))
class Direction(TextualConvention, Integer32):
status = 'current'
subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2))
named_values = named_values(('inbound', 1), ('outbound', 2))
h3c_if_qo_s_hardware_queue_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1))
h3c_if_qo_s_hardware_queue_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1))
h3c_if_qo_sqs_mode_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSQSModeTable.setStatus('current')
h3c_if_qo_sqs_mode_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSQSModeEntry.setStatus('current')
h3c_if_qo_sqs_mode = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('sp', 1), ('sp0', 2), ('sp1', 3), ('sp2', 4), ('wrr', 5), ('hwfq', 6), ('wrr-sp', 7), ('byteCountWrr', 8), ('byteCountWfq', 9)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQSMode.setStatus('current')
h3c_if_qo_sqs_weight_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSQSWeightTable.setStatus('current')
h3c_if_qo_sqs_weight_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSQueueID'))
if mibBuilder.loadTexts:
h3cIfQoSQSWeightEntry.setStatus('current')
h3c_if_qo_s_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 1), integer32())
if mibBuilder.loadTexts:
h3cIfQoSQueueID.setStatus('current')
h3c_if_qo_s_queue_group_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('group0', 1), ('group1', 2), ('group2', 3)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQueueGroupType.setStatus('current')
h3c_if_qo_sqs_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('weight', 1), ('byte-count', 2)))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQSType.setStatus('current')
h3c_if_qo_sqs_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 4), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQSValue.setStatus('current')
h3c_if_qo_sqs_max_delay = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 5), integer32().clone(9)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQSMaxDelay.setStatus('current')
h3c_if_qo_sqs_min_bandwidth = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 1, 2, 1, 6), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSQSMinBandwidth.setStatus('current')
h3c_if_qo_s_hardware_queue_run_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2))
h3c_if_qo_s_hardware_queue_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSHardwareQueueRunInfoTable.setStatus('current')
h3c_if_qo_s_hardware_queue_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSQueueID'))
if mibBuilder.loadTexts:
h3cIfQoSHardwareQueueRunInfoEntry.setStatus('current')
h3c_if_qo_s_pass_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPassPackets.setStatus('current')
h3c_if_qo_s_drop_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSDropPackets.setStatus('current')
h3c_if_qo_s_pass_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPassBytes.setStatus('current')
h3c_if_qo_s_pass_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 4), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPassPPS.setStatus('current')
h3c_if_qo_s_pass_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 5), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPassBPS.setStatus('current')
h3c_if_qo_s_drop_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSDropBytes.setStatus('current')
h3c_if_qo_s_queue_length_in_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 7), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSQueueLengthInPkts.setStatus('current')
h3c_if_qo_s_queue_length_in_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 8), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSQueueLengthInBytes.setStatus('current')
h3c_if_qo_s_cur_queue_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 9), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCurQueuePkts.setStatus('current')
h3c_if_qo_s_cur_queue_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 10), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCurQueueBytes.setStatus('current')
h3c_if_qo_s_cur_queue_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 11), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCurQueuePPS.setStatus('current')
h3c_if_qo_s_cur_queue_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 12), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCurQueueBPS.setStatus('current')
h3c_if_qo_s_tail_drop_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTailDropPkts.setStatus('current')
h3c_if_qo_s_tail_drop_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTailDropBytes.setStatus('current')
h3c_if_qo_s_tail_drop_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 15), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTailDropPPS.setStatus('current')
h3c_if_qo_s_tail_drop_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 16), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTailDropBPS.setStatus('current')
h3c_if_qo_s_wred_drop_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 17), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropPkts.setStatus('current')
h3c_if_qo_s_wred_drop_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 18), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropBytes.setStatus('current')
h3c_if_qo_s_wred_drop_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 19), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropPPS.setStatus('current')
h3c_if_qo_s_wred_drop_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 1, 1, 20), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropBPS.setStatus('current')
h3c_if_qo_sh_queue_tcp_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2))
if mibBuilder.loadTexts:
h3cIfQoSHQueueTcpRunInfoTable.setStatus('current')
h3c_if_qo_sh_queue_tcp_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSQueueID'))
if mibBuilder.loadTexts:
h3cIfQoSHQueueTcpRunInfoEntry.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_n_tcp_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreNTcpPkts.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_n_tcp_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreNTcpBytes.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_n_tcp_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 3), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreNTcpPPS.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_n_tcp_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 4), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreNTcpBPS.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_tcp_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreTcpPkts.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_tcp_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreTcpBytes.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_tcp_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 7), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreTcpPPS.setStatus('current')
h3c_if_qo_s_wred_drop_l_pre_tcp_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 8), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropLPreTcpBPS.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_n_tcp_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreNTcpPkts.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_n_tcp_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 10), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreNTcpBytes.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_n_tcp_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 11), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreNTcpPPS.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_n_tcp_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 12), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreNTcpBPS.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_tcp_pkts = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 13), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreTcpPkts.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_tcp_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 14), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreTcpBytes.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_tcp_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 15), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreTcpPPS.setStatus('current')
h3c_if_qo_s_wred_drop_h_pre_tcp_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 1, 2, 2, 1, 16), unsigned32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredDropHPreTcpBPS.setStatus('current')
h3c_if_qo_s_software_queue_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2))
h3c_if_qo_sfifo_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1))
h3c_if_qo_sfifo_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSFIFOConfigTable.setStatus('current')
h3c_if_qo_sfifo_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSFIFOConfigEntry.setStatus('current')
h3c_if_qo_sfifo_max_queue_len = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 1, 1, 1), integer32()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSFIFOMaxQueueLen.setStatus('current')
h3c_if_qo_sfifo_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSFIFORunInfoTable.setStatus('current')
h3c_if_qo_sfifo_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSFIFORunInfoEntry.setStatus('current')
h3c_if_qo_sfifo_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSFIFOSize.setStatus('current')
h3c_if_qo_sfifo_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 1, 2, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSFIFODiscardPackets.setStatus('current')
h3c_if_qo_spq_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2))
h3c_if_qo_spq_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1))
h3c_if_qo_spq_default_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSPQDefaultTable.setStatus('current')
h3c_if_qo_spq_default_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQListNumber'))
if mibBuilder.loadTexts:
h3cIfQoSPQDefaultEntry.setStatus('current')
h3c_if_qo_spq_list_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16)))
if mibBuilder.loadTexts:
h3cIfQoSPQListNumber.setStatus('current')
h3c_if_qo_spq_default_queue_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 1, 1, 2), priority_queue()).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSPQDefaultQueueType.setStatus('current')
h3c_if_qo_spq_queue_length_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSPQQueueLengthTable.setStatus('current')
h3c_if_qo_spq_queue_length_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQListNumber'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQQueueLengthType'))
if mibBuilder.loadTexts:
h3cIfQoSPQQueueLengthEntry.setStatus('current')
h3c_if_qo_spq_queue_length_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1, 1), priority_queue())
if mibBuilder.loadTexts:
h3cIfQoSPQQueueLengthType.setStatus('current')
h3c_if_qo_spq_queue_length_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSPQQueueLengthValue.setStatus('current')
h3c_if_qo_spq_class_rule_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3))
if mibBuilder.loadTexts:
h3cIfQoSPQClassRuleTable.setStatus('current')
h3c_if_qo_spq_class_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQListNumber'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQClassRuleType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQClassRuleValue'))
if mibBuilder.loadTexts:
h3cIfQoSPQClassRuleEntry.setStatus('current')
h3c_if_qo_spq_class_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('interface', 1), ('ipv4acl', 2), ('ipv6acl', 3), ('fragments', 4), ('greater-than', 5), ('less-than', 6), ('tcp', 7), ('udp', 8), ('ipall', 9), ('mpls', 10))))
if mibBuilder.loadTexts:
h3cIfQoSPQClassRuleType.setStatus('current')
h3c_if_qo_spq_class_rule_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 2), integer32())
if mibBuilder.loadTexts:
h3cIfQoSPQClassRuleValue.setStatus('current')
h3c_if_qo_spq_class_rule_queue_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 3), priority_queue()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPQClassRuleQueueType.setStatus('current')
h3c_if_qo_spq_class_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 3, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPQClassRowStatus.setStatus('current')
h3c_if_qo_spq_apply_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4))
if mibBuilder.loadTexts:
h3cIfQoSPQApplyTable.setStatus('current')
h3c_if_qo_spq_apply_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPQApplyEntry.setStatus('current')
h3c_if_qo_spq_apply_list_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPQApplyListNumber.setStatus('current')
h3c_if_qo_spq_apply_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 1, 4, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPQApplyRowStatus.setStatus('current')
h3c_if_qo_spq_run_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2))
h3c_if_qo_spq_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSPQRunInfoTable.setStatus('current')
h3c_if_qo_spq_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPQType'))
if mibBuilder.loadTexts:
h3cIfQoSPQRunInfoEntry.setStatus('current')
h3c_if_qo_spq_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 1), priority_queue())
if mibBuilder.loadTexts:
h3cIfQoSPQType.setStatus('current')
h3c_if_qo_spq_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPQSize.setStatus('current')
h3c_if_qo_spq_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 3), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPQLength.setStatus('current')
h3c_if_qo_spq_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 2, 2, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPQDiscardPackets.setStatus('current')
h3c_if_qo_scq_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3))
h3c_if_qo_scq_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1))
h3c_if_qo_scq_default_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSCQDefaultTable.setStatus('current')
h3c_if_qo_scq_default_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQListNumber'))
if mibBuilder.loadTexts:
h3cIfQoSCQDefaultEntry.setStatus('current')
h3c_if_qo_scq_list_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16)))
if mibBuilder.loadTexts:
h3cIfQoSCQListNumber.setStatus('current')
h3c_if_qo_scq_default_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 16)).clone(1)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSCQDefaultQueueID.setStatus('current')
h3c_if_qo_scq_queue_length_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSCQQueueLengthTable.setStatus('current')
h3c_if_qo_scq_queue_length_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQListNumber'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQQueueID'))
if mibBuilder.loadTexts:
h3cIfQoSCQQueueLengthEntry.setStatus('current')
h3c_if_qo_scq_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16)))
if mibBuilder.loadTexts:
h3cIfQoSCQQueueID.setStatus('current')
h3c_if_qo_scq_queue_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024)).clone(20)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSCQQueueLength.setStatus('current')
h3c_if_qo_scq_queue_serving = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 2, 1, 3), integer32().clone(1500)).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSCQQueueServing.setStatus('current')
h3c_if_qo_scq_class_rule_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3))
if mibBuilder.loadTexts:
h3cIfQoSCQClassRuleTable.setStatus('current')
h3c_if_qo_scq_class_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQListNumber'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQClassRuleType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQClassRuleValue'))
if mibBuilder.loadTexts:
h3cIfQoSCQClassRuleEntry.setStatus('current')
h3c_if_qo_scq_class_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('interface', 1), ('ipv4acl', 2), ('ipv6acl', 3), ('fragments', 4), ('greater-than', 5), ('less-than', 6), ('tcp', 7), ('udp', 8), ('ipall', 9), ('mpls', 10))))
if mibBuilder.loadTexts:
h3cIfQoSCQClassRuleType.setStatus('current')
h3c_if_qo_scq_class_rule_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 2), integer32())
if mibBuilder.loadTexts:
h3cIfQoSCQClassRuleValue.setStatus('current')
h3c_if_qo_scq_class_rule_queue_id = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCQClassRuleQueueID.setStatus('current')
h3c_if_qo_scq_class_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 3, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCQClassRowStatus.setStatus('current')
h3c_if_qo_scq_apply_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4))
if mibBuilder.loadTexts:
h3cIfQoSCQApplyTable.setStatus('current')
h3c_if_qo_scq_apply_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSCQApplyEntry.setStatus('current')
h3c_if_qo_scq_apply_list_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCQApplyListNumber.setStatus('current')
h3c_if_qo_scq_apply_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 1, 4, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCQApplyRowStatus.setStatus('current')
h3c_if_qo_scq_run_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2))
h3c_if_qo_scq_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSCQRunInfoTable.setStatus('current')
h3c_if_qo_scq_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCQQueueID'))
if mibBuilder.loadTexts:
h3cIfQoSCQRunInfoEntry.setStatus('current')
h3c_if_qo_scq_run_info_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCQRunInfoSize.setStatus('current')
h3c_if_qo_scq_run_info_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCQRunInfoLength.setStatus('current')
h3c_if_qo_scq_run_info_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 3, 2, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSCQRunInfoDiscardPackets.setStatus('current')
h3c_if_qo_swfq_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4))
h3c_if_qo_swfq_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1))
h3c_if_qo_swfq_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSWFQTable.setStatus('current')
h3c_if_qo_swfq_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWFQEntry.setStatus('current')
h3c_if_qo_swfq_queue_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 1024)).clone(64)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWFQQueueLength.setStatus('current')
h3c_if_qo_swfq_queue_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('size16', 1), ('size32', 2), ('size64', 3), ('size128', 4), ('size256', 5), ('size512', 6), ('size1024', 7), ('size2048', 8), ('size4096', 9))).clone(5)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWFQQueueNumber.setStatus('current')
h3c_if_qo_swfq_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWFQRowStatus.setStatus('current')
h3c_if_qo_swfq_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('ip-precedence', 1), ('dscp', 2))).clone(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWFQType.setStatus('current')
h3c_if_qo_swfq_run_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2))
h3c_if_qo_swfq_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSWFQRunInfoTable.setStatus('current')
h3c_if_qo_swfq_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWFQRunInfoEntry.setStatus('current')
h3c_if_qo_swfq_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWFQSize.setStatus('current')
h3c_if_qo_swfq_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWFQLength.setStatus('current')
h3c_if_qo_swfq_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWFQDiscardPackets.setStatus('current')
h3c_if_qo_swfq_hashed_active_queues = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 4), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWFQHashedActiveQueues.setStatus('current')
h3c_if_qo_swfq_hashed_max_active_queues = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 5), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWFQHashedMaxActiveQueues.setStatus('current')
h3f_if_qos_wf_qhashed_total_queues = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 4, 2, 1, 1, 6), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3fIfQosWFQhashedTotalQueues.setStatus('current')
h3c_if_qo_s_bandwidth_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5))
h3c_if_qo_s_bandwidth_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1))
if mibBuilder.loadTexts:
h3cIfQoSBandwidthTable.setStatus('current')
h3c_if_qo_s_bandwidth_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSBandwidthEntry.setStatus('current')
h3c_if_qo_s_max_bandwidth = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSMaxBandwidth.setStatus('current')
h3c_if_qo_s_reserved_bandwidth_pct = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 100)).clone(75)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSReservedBandwidthPct.setStatus('current')
h3c_if_qo_s_bandwidth_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 5, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSBandwidthRowStatus.setStatus('current')
h3c_if_qo_s_qmtoken_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6))
h3c_if_qo_s_qmtoken_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1))
if mibBuilder.loadTexts:
h3cIfQoSQmtokenTable.setStatus('current')
h3c_if_qo_s_qmtoken_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSQmtokenEntry.setStatus('current')
h3c_if_qo_s_qmtoken_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 50))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSQmtokenNumber.setStatus('current')
h3c_if_qo_s_qmtoken_ros_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 6, 1, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSQmtokenRosStatus.setStatus('current')
h3c_if_qo_srtpq_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7))
h3c_if_qo_srtpq_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1))
h3c_if_qo_srtpq_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSRTPQConfigTable.setStatus('current')
h3c_if_qo_srtpq_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSRTPQConfigEntry.setStatus('current')
h3c_if_qo_srtpq_start_port = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(2000, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRTPQStartPort.setStatus('current')
h3c_if_qo_srtpq_end_port = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(2000, 65535))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRTPQEndPort.setStatus('current')
h3c_if_qo_srtpq_reserved_bandwidth = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRTPQReservedBandwidth.setStatus('current')
h3c_if_qo_srtpq_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 4), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRTPQCbs.setStatus('current')
h3c_if_qo_srtpq_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 1, 1, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRTPQRowStatus.setStatus('current')
h3c_if_qo_srtpq_run_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2))
h3c_if_qo_srtpq_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSRTPQRunInfoTable.setStatus('current')
h3c_if_qo_srtpq_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSRTPQRunInfoEntry.setStatus('current')
h3c_if_qo_srtpq_packet_number = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSRTPQPacketNumber.setStatus('current')
h3c_if_qo_srtpq_packet_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 2), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSRTPQPacketSize.setStatus('current')
h3c_if_qo_srtpq_output_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSRTPQOutputPackets.setStatus('current')
h3c_if_qo_srtpq_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 7, 2, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSRTPQDiscardPackets.setStatus('current')
h3c_if_qo_s_car_list_object = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8))
h3c_if_qo_car_list_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1))
h3c_if_qo_s_carl_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSCarlTable.setStatus('current')
h3c_if_qo_s_carl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSCarlListNum'))
if mibBuilder.loadTexts:
h3cIfQoSCarlEntry.setStatus('current')
h3c_if_qo_s_carl_list_num = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 1), integer32())
if mibBuilder.loadTexts:
h3cIfQoSCarlListNum.setStatus('current')
h3c_if_qo_s_carl_para_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('macAddress', 1), ('precMask', 2), ('dscpMask', 3)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCarlParaType.setStatus('current')
h3c_if_qo_s_carl_para_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 3), octet_string()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCarlParaValue.setStatus('current')
h3c_if_qo_s_carl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 2, 8, 1, 1, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSCarlRowStatus.setStatus('current')
h3c_if_qo_s_line_rate_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3))
h3c_if_qo_slr_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1))
if mibBuilder.loadTexts:
h3cIfQoSLRConfigTable.setStatus('current')
h3c_if_qo_slr_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSLRDirection'))
if mibBuilder.loadTexts:
h3cIfQoSLRConfigEntry.setStatus('current')
h3c_if_qo_slr_direction = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 1), direction())
if mibBuilder.loadTexts:
h3cIfQoSLRDirection.setStatus('current')
h3c_if_qo_slr_cir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 2), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSLRCir.setStatus('current')
h3c_if_qo_slr_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 3), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSLRCbs.setStatus('current')
h3c_if_qo_slr_ebs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 4), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSLREbs.setStatus('current')
h3c_if_qo_s_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSRowStatus.setStatus('current')
h3c_if_qo_slr_pir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 1, 1, 6), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSLRPir.setStatus('current')
h3c_if_qo_slr_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2))
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoTable.setStatus('current')
h3c_if_qo_slr_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSLRDirection'))
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoEntry.setStatus('current')
h3c_if_qo_slr_run_info_passed_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoPassedPackets.setStatus('current')
h3c_if_qo_slr_run_info_passed_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoPassedBytes.setStatus('current')
h3c_if_qo_slr_run_info_delayed_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoDelayedPackets.setStatus('current')
h3c_if_qo_slr_run_info_delayed_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoDelayedBytes.setStatus('current')
h3c_if_qo_slr_run_info_active_shaping = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 3, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSLRRunInfoActiveShaping.setStatus('current')
h3c_if_qo_scar_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4))
h3c_if_qo_s_aggregative_car_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1))
h3c_if_qo_s_aggregative_car_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarNextIndex.setStatus('current')
h3c_if_qo_s_aggregative_car_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarConfigTable.setStatus('current')
h3c_if_qo_s_aggregative_car_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSAggregativeCarIndex'))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarConfigEntry.setStatus('current')
h3c_if_qo_s_aggregative_car_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65534)))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarIndex.setStatus('current')
h3c_if_qo_s_aggregative_car_name = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarName.setStatus('current')
h3c_if_qo_s_aggregative_car_cir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 3), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarCir.setStatus('current')
h3c_if_qo_s_aggregative_car_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 4), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarCbs.setStatus('current')
h3c_if_qo_s_aggregative_car_ebs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 5), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarEbs.setStatus('current')
h3c_if_qo_s_aggregative_car_pir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 6), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarPir.setStatus('current')
h3c_if_qo_s_aggregative_car_green_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 7), car_action().clone('pass')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarGreenActionType.setStatus('current')
h3c_if_qo_s_aggregative_car_green_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarGreenActionValue.setStatus('current')
h3c_if_qo_s_aggregative_car_yellow_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 9), car_action()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarYellowActionType.setStatus('current')
h3c_if_qo_s_aggregative_car_yellow_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarYellowActionValue.setStatus('current')
h3c_if_qo_s_aggregative_car_red_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 11), car_action()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRedActionType.setStatus('current')
h3c_if_qo_s_aggregative_car_red_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 12), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRedActionValue.setStatus('current')
h3c_if_qo_s_aggregative_car_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('aggregative', 1), ('notAggregative', 2)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarType.setStatus('current')
h3c_if_qo_s_aggregative_car_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 2, 1, 14), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRowStatus.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyTable.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSAggregativeCarApplyDirection'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSAggregativeCarApplyRuleType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSAggregativeCarApplyRuleValue'))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyEntry.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_direction = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 1), direction())
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyDirection.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ipv4acl', 1), ('ipv6acl', 2), ('carl', 3), ('any', 4))))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyRuleType.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_rule_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 3), integer32())
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyRuleValue.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_car_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 4), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyCarIndex.setStatus('current')
h3c_if_qo_s_aggregative_car_apply_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 3, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarApplyRowStatus.setStatus('current')
h3c_if_qo_s_aggregative_car_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRunInfoTable.setStatus('current')
h3c_if_qo_s_aggregative_car_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSAggregativeCarIndex'))
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRunInfoEntry.setStatus('current')
h3c_if_qo_s_aggregative_car_green_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarGreenPackets.setStatus('current')
h3c_if_qo_s_aggregative_car_green_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarGreenBytes.setStatus('current')
h3c_if_qo_s_aggregative_car_yellow_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarYellowPackets.setStatus('current')
h3c_if_qo_s_aggregative_car_yellow_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarYellowBytes.setStatus('current')
h3c_if_qo_s_aggregative_car_red_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRedPackets.setStatus('current')
h3c_if_qo_s_aggregative_car_red_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 1, 4, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSAggregativeCarRedBytes.setStatus('current')
h3c_if_qo_s_tricolor_car_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2))
h3c_if_qo_s_tricolor_car_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarConfigTable.setStatus('current')
h3c_if_qo_s_tricolor_car_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarDirection'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarValue'))
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarConfigEntry.setStatus('current')
h3c_if_qo_s_tricolor_car_direction = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 1), direction())
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarDirection.setStatus('current')
h3c_if_qo_s_tricolor_car_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('ipv4acl', 1), ('ipv6acl', 2), ('carl', 3), ('any', 4))))
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarType.setStatus('current')
h3c_if_qo_s_tricolor_car_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 3), integer32())
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarValue.setStatus('current')
h3c_if_qo_s_tricolor_car_cir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 4), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarCir.setStatus('current')
h3c_if_qo_s_tricolor_car_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 5), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarCbs.setStatus('current')
h3c_if_qo_s_tricolor_car_ebs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 6), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarEbs.setStatus('current')
h3c_if_qo_s_tricolor_car_pir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 7), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarPir.setStatus('current')
h3c_if_qo_s_tricolor_car_green_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 8), car_action().clone('pass')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarGreenActionType.setStatus('current')
h3c_if_qo_s_tricolor_car_green_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 9), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarGreenActionValue.setStatus('current')
h3c_if_qo_s_tricolor_car_yellow_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 10), car_action().clone('pass')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarYellowActionType.setStatus('current')
h3c_if_qo_s_tricolor_car_yellow_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 11), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarYellowActionValue.setStatus('current')
h3c_if_qo_s_tricolor_car_red_action_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 12), car_action().clone('discard')).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRedActionType.setStatus('current')
h3c_if_qo_s_tricolor_car_red_action_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 13), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 63), value_range_constraint(255, 255)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRedActionValue.setStatus('current')
h3c_if_qo_s_tricolor_car_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 1, 1, 14), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRowStatus.setStatus('current')
h3c_if_qo_s_tricolor_car_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2))
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRunInfoTable.setStatus('current')
h3c_if_qo_s_tricolor_car_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarDirection'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSTricolorCarValue'))
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRunInfoEntry.setStatus('current')
h3c_if_qo_s_tricolor_car_green_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarGreenPackets.setStatus('current')
h3c_if_qo_s_tricolor_car_green_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarGreenBytes.setStatus('current')
h3c_if_qo_s_tricolor_car_yellow_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarYellowPackets.setStatus('current')
h3c_if_qo_s_tricolor_car_yellow_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarYellowBytes.setStatus('current')
h3c_if_qo_s_tricolor_car_red_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRedPackets.setStatus('current')
h3c_if_qo_s_tricolor_car_red_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 4, 2, 2, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSTricolorCarRedBytes.setStatus('current')
h3c_if_qo_sgts_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5))
h3c_if_qo_sgts_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1))
if mibBuilder.loadTexts:
h3cIfQoSGTSConfigTable.setStatus('current')
h3c_if_qo_sgts_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSGTSClassRuleType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSGTSClassRuleValue'))
if mibBuilder.loadTexts:
h3cIfQoSGTSConfigEntry.setStatus('current')
h3c_if_qo_sgts_class_rule_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('any', 1), ('ipv4acl', 2), ('ipv6acl', 3), ('queue', 4))))
if mibBuilder.loadTexts:
h3cIfQoSGTSClassRuleType.setStatus('current')
h3c_if_qo_sgts_class_rule_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 2), integer32())
if mibBuilder.loadTexts:
h3cIfQoSGTSClassRuleValue.setStatus('current')
h3c_if_qo_sgts_cir = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 3), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSGTSCir.setStatus('current')
h3c_if_qo_sgts_cbs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 4), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSGTSCbs.setStatus('current')
h3c_if_qo_sgts_ebs = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 5), unsigned32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSGTSEbs.setStatus('current')
h3c_if_qo_sgts_queue_length = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 6), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSGTSQueueLength.setStatus('current')
h3c_if_qo_sgts_config_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 1, 1, 7), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSGTSConfigRowStatus.setStatus('current')
h3c_if_qo_sgts_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2))
if mibBuilder.loadTexts:
h3cIfQoSGTSRunInfoTable.setStatus('current')
h3c_if_qo_sgts_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSGTSClassRuleType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSGTSClassRuleValue'))
if mibBuilder.loadTexts:
h3cIfQoSGTSRunInfoEntry.setStatus('current')
h3c_if_qo_sgts_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSQueueSize.setStatus('current')
h3c_if_qo_sgts_passed_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSPassedPackets.setStatus('current')
h3c_if_qo_sgts_passed_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 3), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSPassedBytes.setStatus('current')
h3c_if_qo_sgts_discard_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSDiscardPackets.setStatus('current')
h3c_if_qo_sgts_discard_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSDiscardBytes.setStatus('current')
h3c_if_qo_sgts_delayed_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSDelayedPackets.setStatus('current')
h3c_if_qo_sgts_delayed_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 5, 2, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSGTSDelayedBytes.setStatus('current')
h3c_if_qo_swred_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6))
h3c_if_qo_s_wred_group_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1))
h3c_if_qo_s_wred_group_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupNextIndex.setStatus('current')
h3c_if_qo_s_wred_group_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupTable.setStatus('current')
h3c_if_qo_s_wred_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupEntry.setStatus('current')
h3c_if_qo_s_wred_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 1), integer32())
if mibBuilder.loadTexts:
h3cIfQoSWredGroupIndex.setStatus('current')
h3c_if_qo_s_wred_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupName.setStatus('current')
h3c_if_qo_s_wred_group_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('userdefined', 0), ('dot1p', 1), ('ippre', 2), ('dscp', 3), ('localpre', 4), ('atmclp', 5), ('frde', 6), ('exp', 7), ('queue', 8), ('dropLevel', 9)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupType.setStatus('current')
h3c_if_qo_s_wred_group_weighting_constant = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(9)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupWeightingConstant.setStatus('current')
h3c_if_qo_s_wred_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 2, 1, 6), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupRowStatus.setStatus('current')
h3c_if_qo_s_wred_group_content_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupContentTable.setStatus('current')
h3c_if_qo_s_wred_group_content_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupContentIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupContentSubIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupContentEntry.setStatus('current')
h3c_if_qo_s_wred_group_content_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupContentIndex.setStatus('current')
h3c_if_qo_s_wred_group_content_sub_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupContentSubIndex.setStatus('current')
h3c_if_qo_s_wred_low_limit = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredLowLimit.setStatus('current')
h3c_if_qo_s_wred_high_limit = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 4), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredHighLimit.setStatus('current')
h3c_if_qo_s_wred_discard_prob = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 5), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredDiscardProb.setStatus('current')
h3c_if_qo_s_wred_group_exponent = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(9)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupExponent.setStatus('current')
h3c_if_qo_s_wred_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 3, 1, 7), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredRowStatus.setStatus('current')
h3c_if_qo_s_wred_group_apply_if_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupApplyIfTable.setStatus('current')
h3c_if_qo_s_wred_group_apply_if_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWredGroupApplyIfEntry.setStatus('current')
h3c_if_qo_s_wred_group_apply_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 256))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupApplyIndex.setStatus('current')
h3c_if_qo_s_wred_group_apply_name = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 2), octet_string()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupApplyName.setStatus('current')
h3c_if_qo_s_wred_group_if_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 4, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSWredGroupIfRowStatus.setStatus('current')
h3c_if_qo_s_wred_apply_if_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5))
if mibBuilder.loadTexts:
h3cIfQoSWredApplyIfRunInfoTable.setStatus('current')
h3c_if_qo_s_wred_apply_if_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupContentIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSWredGroupContentSubIndex'))
if mibBuilder.loadTexts:
h3cIfQoSWredApplyIfRunInfoEntry.setStatus('current')
h3c_if_qo_s_wred_pre_random_drop_num = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredPreRandomDropNum.setStatus('current')
h3c_if_qo_s_wred_pre_tail_drop_num = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 1, 5, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWredPreTailDropNum.setStatus('current')
h3c_if_qo_s_port_wred_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2))
h3c_if_qo_s_port_wred_weight_constant_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1))
if mibBuilder.loadTexts:
h3cIfQoSPortWredWeightConstantTable.setStatus('current')
h3c_if_qo_s_port_wred_weight_constant_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPortWredWeightConstantEntry.setStatus('current')
h3c_if_qo_s_port_wred_enable = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 1), truth_value()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredEnable.setStatus('current')
h3c_if_qo_s_port_wred_weight_constant = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 16))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredWeightConstant.setStatus('current')
h3c_if_qo_s_port_wred_weight_constant_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 1, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredWeightConstantRowStatus.setStatus('current')
h3c_if_qo_s_port_wred_pre_config_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2))
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreConfigTable.setStatus('current')
h3c_if_qo_s_port_wred_pre_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPortWredPreID'))
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreConfigEntry.setStatus('current')
h3c_if_qo_s_port_wred_pre_id = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 1), integer32())
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreID.setStatus('current')
h3c_if_qo_s_port_wred_pre_low_limit = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 2), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreLowLimit.setStatus('current')
h3c_if_qo_s_port_wred_pre_high_limit = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 3), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreHighLimit.setStatus('current')
h3c_if_qo_s_port_wred_pre_discard_probability = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 4), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreDiscardProbability.setStatus('current')
h3c_if_qo_s_port_wred_pre_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 2, 1, 5), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPortWredPreRowStatus.setStatus('current')
h3c_if_qo_s_port_wred_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3))
if mibBuilder.loadTexts:
h3cIfQoSPortWredRunInfoTable.setStatus('current')
h3c_if_qo_s_port_wred_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPortWredPreID'))
if mibBuilder.loadTexts:
h3cIfQoSPortWredRunInfoEntry.setStatus('current')
h3c_if_qo_swred_tail_drop_num = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1, 1), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWREDTailDropNum.setStatus('current')
h3c_if_qo_swred_random_drop_num = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 6, 2, 3, 1, 2), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSWREDRandomDropNum.setStatus('current')
h3c_if_qo_s_port_priority_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7))
h3c_if_qo_s_port_priority_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1))
h3c_if_qo_s_port_priority_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSPortPriorityTable.setStatus('current')
h3c_if_qo_s_port_priority_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPortPriorityEntry.setStatus('current')
h3c_if_qo_s_port_priority_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSPortPriorityValue.setStatus('current')
h3c_if_qo_s_port_pirority_trust_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSPortPirorityTrustTable.setStatus('current')
h3c_if_qo_s_port_pirority_trust_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPortPirorityTrustEntry.setStatus('current')
h3c_if_qo_s_port_priority_trust_trust_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('untrust', 1), ('dot1p', 2), ('dscp', 3), ('exp', 4))).clone('untrust')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSPortPriorityTrustTrustType.setStatus('current')
h3c_if_qo_s_port_priority_trust_overcast_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 7, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('noOvercast', 1), ('overcastDSCP', 2), ('overcastCOS', 3))).clone('noOvercast')).setMaxAccess('readwrite')
if mibBuilder.loadTexts:
h3cIfQoSPortPriorityTrustOvercastType.setStatus('current')
h3c_if_qo_s_map_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9))
h3c_if_qo_s_pri_map_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1))
h3c_if_qo_s_pri_map_group_next_index = mib_scalar((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 1), integer32()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupNextIndex.setStatus('current')
h3c_if_qo_s_pri_map_group_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2))
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupTable.setStatus('current')
h3c_if_qo_s_pri_map_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPriMapGroupIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupEntry.setStatus('current')
h3c_if_qo_s_pri_map_group_index = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 1), integer32())
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupIndex.setStatus('current')
h3c_if_qo_s_pri_map_group_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('userdefined', 1), ('dot1p-dp', 2), ('dot1p-dscp', 3), ('dot1p-lp', 4), ('dscp-dot1p', 5), ('dscp-dp', 6), ('dscp-dscp', 7), ('dscp-lp', 8), ('exp-dp', 9), ('exp-lp', 10)))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupType.setStatus('current')
h3c_if_qo_s_pri_map_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupName.setStatus('current')
h3c_if_qo_s_pri_map_group_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 2, 1, 4), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupRowStatus.setStatus('current')
h3c_if_qo_s_pri_map_content_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3))
if mibBuilder.loadTexts:
h3cIfQoSPriMapContentTable.setStatus('current')
h3c_if_qo_s_pri_map_content_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1)).setIndexNames((0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPriMapGroupIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cIfQoSPriMapGroupImportValue'))
if mibBuilder.loadTexts:
h3cIfQoSPriMapContentEntry.setStatus('current')
h3c_if_qo_s_pri_map_group_import_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 63)))
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupImportValue.setStatus('current')
h3c_if_qo_s_pri_map_group_export_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPriMapGroupExportValue.setStatus('current')
h3c_if_qo_s_pri_map_content_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 9, 1, 3, 1, 3), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSPriMapContentRowStatus.setStatus('current')
h3c_if_qo_sl3_plus_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10))
h3c_if_qo_s_port_binding_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1))
h3c_if_qo_s_port_binding_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1))
if mibBuilder.loadTexts:
h3cIfQoSPortBindingTable.setStatus('current')
h3c_if_qo_s_port_binding_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'))
if mibBuilder.loadTexts:
h3cIfQoSPortBindingEntry.setStatus('current')
h3c_if_qo_s_binding_if = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1, 1), integer32()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSBindingIf.setStatus('current')
h3c_if_qo_s_binding_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 10, 1, 1, 1, 2), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cIfQoSBindingRowStatus.setStatus('current')
h3c_qo_s_tra_sta_objects = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11))
h3c_qo_s_tra_sta_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1))
h3c_qo_s_if_tra_sta_config_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1))
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigInfoTable.setStatus('current')
h3c_qo_s_if_tra_sta_config_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cQoSIfTraStaConfigDirection'))
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigInfoEntry.setStatus('current')
h3c_qo_s_if_tra_sta_config_direction = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 1), direction())
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigDirection.setStatus('current')
h3c_qo_s_if_tra_sta_config_queue = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigQueue.setStatus('current')
h3c_qo_s_if_tra_sta_config_dot1p = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(1, 1)).setFixedLength(1)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigDot1p.setStatus('current')
h3c_qo_s_if_tra_sta_config_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigDscp.setStatus('current')
h3c_qo_s_if_tra_sta_config_vlan = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(512, 512)).setFixedLength(512)).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigVlan.setStatus('current')
h3c_qo_s_if_tra_sta_config_status = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 1, 1, 1, 6), row_status()).setMaxAccess('readcreate')
if mibBuilder.loadTexts:
h3cQoSIfTraStaConfigStatus.setStatus('current')
h3c_qo_s_tra_sta_run_group = mib_identifier((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2))
h3c_qo_s_if_tra_sta_run_info_table = mib_table((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1))
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunInfoTable.setStatus('current')
h3c_qo_s_if_tra_sta_run_info_entry = mib_table_row((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cQoSIfTraStaRunObjectType'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cQoSIfTraStaRunObjectValue'), (0, 'A3COM-HUAWEI-IFQOS2-MIB', 'h3cQoSIfTraStaRunDirection'))
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunInfoEntry.setStatus('current')
h3c_qo_s_if_tra_sta_run_object_type = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('queue', 1), ('dot1p', 2), ('dscp', 3), ('vlanID', 4))))
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunObjectType.setStatus('current')
h3c_qo_s_if_tra_sta_run_object_value = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 2), integer32())
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunObjectValue.setStatus('current')
h3c_qo_s_if_tra_sta_run_direction = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 3), direction())
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunDirection.setStatus('current')
h3c_qo_s_if_tra_sta_run_pass_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 4), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunPassPackets.setStatus('current')
h3c_qo_s_if_tra_sta_run_drop_packets = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 5), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunDropPackets.setStatus('current')
h3c_qo_s_if_tra_sta_run_pass_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 6), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunPassBytes.setStatus('current')
h3c_qo_s_if_tra_sta_run_drop_bytes = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 7), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunDropBytes.setStatus('current')
h3c_qo_s_if_tra_sta_run_pass_pps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 8), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunPassPPS.setStatus('current')
h3c_qo_s_if_tra_sta_run_pass_bps = mib_table_column((1, 3, 6, 1, 4, 1, 43, 45, 1, 10, 2, 65, 1, 11, 2, 1, 1, 9), counter64()).setMaxAccess('readonly')
if mibBuilder.loadTexts:
h3cQoSIfTraStaRunPassBPS.setStatus('current')
mibBuilder.exportSymbols('A3COM-HUAWEI-IFQOS2-MIB', h3cIfQoSCarlParaType=h3cIfQoSCarlParaType, h3cIfQoSTailDropBytes=h3cIfQoSTailDropBytes, h3cIfQoSGTSDiscardPackets=h3cIfQoSGTSDiscardPackets, h3cIfQoSAggregativeCarRunInfoTable=h3cIfQoSAggregativeCarRunInfoTable, h3cIfQoSGTSClassRuleValue=h3cIfQoSGTSClassRuleValue, h3cIfQoSCQClassRuleEntry=h3cIfQoSCQClassRuleEntry, h3cIfQoSAggregativeCarName=h3cIfQoSAggregativeCarName, h3cIfQoSPortWredPreID=h3cIfQoSPortWredPreID, h3cIfQoSWredGroupExponent=h3cIfQoSWredGroupExponent, h3cIfQoSRTPQRunInfoGroup=h3cIfQoSRTPQRunInfoGroup, h3cIfQoSPriMapGroupRowStatus=h3cIfQoSPriMapGroupRowStatus, h3cIfQoSPQApplyListNumber=h3cIfQoSPQApplyListNumber, h3cIfQoSTricolorCarCir=h3cIfQoSTricolorCarCir, h3cIfQoSPQRunInfoTable=h3cIfQoSPQRunInfoTable, h3cIfQoSPriMapGroupTable=h3cIfQoSPriMapGroupTable, h3cIfQoSQSMaxDelay=h3cIfQoSQSMaxDelay, h3cIfQoSAggregativeCarGreenBytes=h3cIfQoSAggregativeCarGreenBytes, h3cIfQoSPortPriorityValue=h3cIfQoSPortPriorityValue, h3cIfQoSRTPQEndPort=h3cIfQoSRTPQEndPort, h3cQoSTraStaRunGroup=h3cQoSTraStaRunGroup, h3cIfQoSPriMapContentTable=h3cIfQoSPriMapContentTable, h3cIfQoSPQClassRuleQueueType=h3cIfQoSPQClassRuleQueueType, h3cIfQoSWredGroupIndex=h3cIfQoSWredGroupIndex, h3cIfQoSPQQueueLengthType=h3cIfQoSPQQueueLengthType, h3cIfQoSQueueLengthInBytes=h3cIfQoSQueueLengthInBytes, h3cIfQoSCQClassRowStatus=h3cIfQoSCQClassRowStatus, h3cIfQoSAggregativeCarApplyDirection=h3cIfQoSAggregativeCarApplyDirection, h3cIfQoSPQClassRuleType=h3cIfQoSPQClassRuleType, h3cIfQoSPriMapGroupExportValue=h3cIfQoSPriMapGroupExportValue, h3cIfQoSWredDropHPreNTcpBPS=h3cIfQoSWredDropHPreNTcpBPS, h3cIfQoSAggregativeCarYellowPackets=h3cIfQoSAggregativeCarYellowPackets, h3cIfQoSWredDiscardProb=h3cIfQoSWredDiscardProb, h3cIfQoSCQApplyRowStatus=h3cIfQoSCQApplyRowStatus, h3cIfQoSWredGroupApplyIfEntry=h3cIfQoSWredGroupApplyIfEntry, h3cIfQoSLREbs=h3cIfQoSLREbs, h3cIfQoSPQDefaultQueueType=h3cIfQoSPQDefaultQueueType, h3cIfQoSPortPriorityEntry=h3cIfQoSPortPriorityEntry, h3cIfQoSQSModeTable=h3cIfQoSQSModeTable, h3cIfQoSLRRunInfoTable=h3cIfQoSLRRunInfoTable, h3cIfQoSReservedBandwidthPct=h3cIfQoSReservedBandwidthPct, h3cIfQoSWredGroupTable=h3cIfQoSWredGroupTable, h3cIfQoSLRRunInfoDelayedPackets=h3cIfQoSLRRunInfoDelayedPackets, h3cIfQoSAggregativeCarConfigTable=h3cIfQoSAggregativeCarConfigTable, h3cIfQoSCurQueueBytes=h3cIfQoSCurQueueBytes, h3cIfQoSCQQueueLengthTable=h3cIfQoSCQQueueLengthTable, h3cIfQoSWredGroupRowStatus=h3cIfQoSWredGroupRowStatus, h3cIfQoSPQRunInfoGroup=h3cIfQoSPQRunInfoGroup, h3cIfQoSRTPQOutputPackets=h3cIfQoSRTPQOutputPackets, h3cIfQoSFIFOConfigEntry=h3cIfQoSFIFOConfigEntry, h3cQoSIfTraStaRunObjectType=h3cQoSIfTraStaRunObjectType, h3cIfQoSWredGroupApplyName=h3cIfQoSWredGroupApplyName, h3cIfQoSQSMinBandwidth=h3cIfQoSQSMinBandwidth, h3cIfQoSPortPriorityTrustTrustType=h3cIfQoSPortPriorityTrustTrustType, h3cIfQoSPQConfigGroup=h3cIfQoSPQConfigGroup, h3cIfQoSPortPriorityTrustOvercastType=h3cIfQoSPortPriorityTrustOvercastType, h3cIfQoSTricolorCarRowStatus=h3cIfQoSTricolorCarRowStatus, h3cIfQoSWFQRunInfoTable=h3cIfQoSWFQRunInfoTable, h3cIfQoSLRPir=h3cIfQoSLRPir, h3cIfQoSWredPreTailDropNum=h3cIfQoSWredPreTailDropNum, h3cIfQoSPortWredEnable=h3cIfQoSPortWredEnable, h3cIfQoSBindingIf=h3cIfQoSBindingIf, h3cIfQoSWredDropLPreTcpBytes=h3cIfQoSWredDropLPreTcpBytes, h3cIfQoSAggregativeCarIndex=h3cIfQoSAggregativeCarIndex, h3cQoSIfTraStaRunDropPackets=h3cQoSIfTraStaRunDropPackets, h3cIfQoSCQObject=h3cIfQoSCQObject, h3cIfQoSAggregativeCarRedBytes=h3cIfQoSAggregativeCarRedBytes, h3cIfQoSAggregativeCarNextIndex=h3cIfQoSAggregativeCarNextIndex, h3cIfQoSWredGroupContentIndex=h3cIfQoSWredGroupContentIndex, h3cIfQoSPQRunInfoEntry=h3cIfQoSPQRunInfoEntry, h3cIfQoSPQDefaultTable=h3cIfQoSPQDefaultTable, h3cIfQoSPortWredWeightConstantRowStatus=h3cIfQoSPortWredWeightConstantRowStatus, h3cQoSIfTraStaRunPassBPS=h3cQoSIfTraStaRunPassBPS, h3cIfQoSFIFOObject=h3cIfQoSFIFOObject, h3cIfQoSWredApplyIfRunInfoTable=h3cIfQoSWredApplyIfRunInfoTable, h3cIfQoSCQRunInfoEntry=h3cIfQoSCQRunInfoEntry, h3cIfQoSAggregativeCarRedPackets=h3cIfQoSAggregativeCarRedPackets, h3cIfQoSWredDropHPreNTcpBytes=h3cIfQoSWredDropHPreNTcpBytes, h3cIfQoSGTSRunInfoEntry=h3cIfQoSGTSRunInfoEntry, h3cIfQoSWFQType=h3cIfQoSWFQType, h3cIfQoSTricolorCarGreenActionType=h3cIfQoSTricolorCarGreenActionType, h3cIfQoSWredGroupContentTable=h3cIfQoSWredGroupContentTable, h3cIfQoSBindingRowStatus=h3cIfQoSBindingRowStatus, h3cIfQoSTricolorCarConfigEntry=h3cIfQoSTricolorCarConfigEntry, h3cIfQoSFIFOMaxQueueLen=h3cIfQoSFIFOMaxQueueLen, h3cIfQoSHQueueTcpRunInfoEntry=h3cIfQoSHQueueTcpRunInfoEntry, h3cIfQoSAggregativeCarRunInfoEntry=h3cIfQoSAggregativeCarRunInfoEntry, h3cIfQoSPQApplyRowStatus=h3cIfQoSPQApplyRowStatus, h3cIfQoSRTPQRowStatus=h3cIfQoSRTPQRowStatus, h3cIfQoSAggregativeCarYellowActionType=h3cIfQoSAggregativeCarYellowActionType, h3cIfQoSCQDefaultQueueID=h3cIfQoSCQDefaultQueueID, h3cIfQoSRTPQPacketSize=h3cIfQoSRTPQPacketSize, h3cIfQoSWredGroupContentEntry=h3cIfQoSWredGroupContentEntry, h3cIfQoSPQClassRuleValue=h3cIfQoSPQClassRuleValue, h3cIfQoSPQDefaultEntry=h3cIfQoSPQDefaultEntry, h3cIfQoSWFQObject=h3cIfQoSWFQObject, h3cIfQoSPortWredRunInfoTable=h3cIfQoSPortWredRunInfoTable, h3cIfQoSMapObjects=h3cIfQoSMapObjects, h3cIfQoSQmtokenGroup=h3cIfQoSQmtokenGroup, h3cIfQoSAggregativeCarGreenPackets=h3cIfQoSAggregativeCarGreenPackets, h3cIfQoSCQDefaultTable=h3cIfQoSCQDefaultTable, h3cIfQoSGTSDelayedBytes=h3cIfQoSGTSDelayedBytes, h3cIfQoSPriMapGroupEntry=h3cIfQoSPriMapGroupEntry, h3cIfQoSCQDefaultEntry=h3cIfQoSCQDefaultEntry, h3cIfQoSTricolorCarEbs=h3cIfQoSTricolorCarEbs, h3cIfQoSQSType=h3cIfQoSQSType, h3cIfQoSCurQueueBPS=h3cIfQoSCurQueueBPS, h3cIfQoSPQClassRuleTable=h3cIfQoSPQClassRuleTable, h3cIfQoSLRCbs=h3cIfQoSLRCbs, h3cIfQoSQueueLengthInPkts=h3cIfQoSQueueLengthInPkts, h3cIfQoSQueueGroupType=h3cIfQoSQueueGroupType, h3cIfQoSLRRunInfoDelayedBytes=h3cIfQoSLRRunInfoDelayedBytes, h3cIfQoSWredDropBytes=h3cIfQoSWredDropBytes, h3cIfQoSRTPQRunInfoTable=h3cIfQoSRTPQRunInfoTable, h3cIfQoSWredGroupApplyIndex=h3cIfQoSWredGroupApplyIndex, h3cIfQoSCarlParaValue=h3cIfQoSCarlParaValue, h3cIfQoSAggregativeCarRedActionValue=h3cIfQoSAggregativeCarRedActionValue, h3cIfQoSPortWredGroup=h3cIfQoSPortWredGroup, h3cIfQoSPortWredWeightConstantEntry=h3cIfQoSPortWredWeightConstantEntry, h3cIfQoSWredGroupWeightingConstant=h3cIfQoSWredGroupWeightingConstant, h3cIfQoSPQType=h3cIfQoSPQType, h3cIfQoSDropBytes=h3cIfQoSDropBytes, h3cIfQoSBandwidthTable=h3cIfQoSBandwidthTable, h3cIfQoSWredDropPPS=h3cIfQoSWredDropPPS, h3cIfQoSRTPQConfigTable=h3cIfQoSRTPQConfigTable, h3cIfQoSAggregativeCarApplyRowStatus=h3cIfQoSAggregativeCarApplyRowStatus, h3cIfQoSWredDropLPreNTcpPkts=h3cIfQoSWredDropLPreNTcpPkts, h3cIfQoSHardwareQueueObjects=h3cIfQoSHardwareQueueObjects, h3cIfQoSWFQLength=h3cIfQoSWFQLength, h3cQoSIfTraStaRunObjectValue=h3cQoSIfTraStaRunObjectValue, h3cQoSTraStaObjects=h3cQoSTraStaObjects, h3cIfQoSWredGroupApplyIfTable=h3cIfQoSWredGroupApplyIfTable, h3cIfQoSWREDTailDropNum=h3cIfQoSWREDTailDropNum, h3cIfQoSLRConfigEntry=h3cIfQoSLRConfigEntry, h3cIfQoSQSModeEntry=h3cIfQoSQSModeEntry, h3cIfQoSAggregativeCarGroup=h3cIfQoSAggregativeCarGroup, h3cIfQoSQSWeightTable=h3cIfQoSQSWeightTable, h3cIfQoSCQClassRuleValue=h3cIfQoSCQClassRuleValue, h3cIfQoSCQQueueLength=h3cIfQoSCQQueueLength, h3cIfQoSFIFODiscardPackets=h3cIfQoSFIFODiscardPackets, h3cIfQoSTricolorCarPir=h3cIfQoSTricolorCarPir, h3cIfQoSTricolorCarGroup=h3cIfQoSTricolorCarGroup, h3cIfQoSWredGroupIfRowStatus=h3cIfQoSWredGroupIfRowStatus, h3cIfQoSAggregativeCarRedActionType=h3cIfQoSAggregativeCarRedActionType, h3cIfQoCarListGroup=h3cIfQoCarListGroup, h3cIfQoSBandwidthEntry=h3cIfQoSBandwidthEntry, h3cIfQoSLRConfigTable=h3cIfQoSLRConfigTable, h3cIfQoSPortBindingGroup=h3cIfQoSPortBindingGroup, h3cIfQoSTricolorCarConfigTable=h3cIfQoSTricolorCarConfigTable, h3cIfQoSWredDropHPreNTcpPPS=h3cIfQoSWredDropHPreNTcpPPS, h3cIfQoSPriMapContentEntry=h3cIfQoSPriMapContentEntry, h3cIfQoSLRRunInfoActiveShaping=h3cIfQoSLRRunInfoActiveShaping, h3cIfQoSCQClassRuleType=h3cIfQoSCQClassRuleType, h3cIfQoSRTPQStartPort=h3cIfQoSRTPQStartPort, h3cIfQoSQSMode=h3cIfQoSQSMode, h3cIfQoSPQQueueLengthValue=h3cIfQoSPQQueueLengthValue, h3cIfQoSPQClassRowStatus=h3cIfQoSPQClassRowStatus, h3cIfQoSGTSQueueLength=h3cIfQoSGTSQueueLength, h3cQos2=h3cQos2, h3cIfQoSWredDropBPS=h3cIfQoSWredDropBPS, h3cIfQoSCQClassRuleTable=h3cIfQoSCQClassRuleTable, h3cIfQoSQmtokenTable=h3cIfQoSQmtokenTable, h3cIfQoSWredHighLimit=h3cIfQoSWredHighLimit, h3cIfQoSHardwareQueueRunInfoTable=h3cIfQoSHardwareQueueRunInfoTable, h3cIfQoSAggregativeCarPir=h3cIfQoSAggregativeCarPir, h3cIfQoSPQQueueLengthEntry=h3cIfQoSPQQueueLengthEntry, h3cIfQoSAggregativeCarCir=h3cIfQoSAggregativeCarCir, h3cIfQoSBandwidthRowStatus=h3cIfQoSBandwidthRowStatus, h3cIfQoSPortWredPreLowLimit=h3cIfQoSPortWredPreLowLimit, h3cIfQoSPortWredPreRowStatus=h3cIfQoSPortWredPreRowStatus, h3cIfQoSCarlRowStatus=h3cIfQoSCarlRowStatus, h3cIfQoSCQRunInfoDiscardPackets=h3cIfQoSCQRunInfoDiscardPackets, h3cIfQoSLRRunInfoPassedPackets=h3cIfQoSLRRunInfoPassedPackets, h3cIfQoSTailDropPPS=h3cIfQoSTailDropPPS, h3cIfQoSWredDropHPreTcpPPS=h3cIfQoSWredDropHPreTcpPPS, h3cIfQoSCQConfigGroup=h3cIfQoSCQConfigGroup, h3cIfQoSRTPQCbs=h3cIfQoSRTPQCbs, h3cIfQoSHQueueTcpRunInfoTable=h3cIfQoSHQueueTcpRunInfoTable, h3cIfQoSWFQHashedActiveQueues=h3cIfQoSWFQHashedActiveQueues, h3cIfQoSWFQDiscardPackets=h3cIfQoSWFQDiscardPackets, h3cIfQoSAggregativeCarApplyEntry=h3cIfQoSAggregativeCarApplyEntry, h3cIfQoSLRCir=h3cIfQoSLRCir, h3cIfQoSPortPriorityObjects=h3cIfQoSPortPriorityObjects, h3cIfQoSWredDropLPreTcpPkts=h3cIfQoSWredDropLPreTcpPkts, h3cIfQoSPortPirorityTrustEntry=h3cIfQoSPortPirorityTrustEntry, h3cQoSIfTraStaRunPassPackets=h3cQoSIfTraStaRunPassPackets, h3cQoSIfTraStaConfigDirection=h3cQoSIfTraStaConfigDirection, h3cIfQoSWFQRunInfoGroup=h3cIfQoSWFQRunInfoGroup, h3cQoSIfTraStaConfigVlan=h3cQoSIfTraStaConfigVlan, h3cIfQoSWredGroupNextIndex=h3cIfQoSWredGroupNextIndex, h3cIfQoSGTSPassedBytes=h3cIfQoSGTSPassedBytes, h3cIfQoSWFQRunInfoEntry=h3cIfQoSWFQRunInfoEntry, h3cIfQoSAggregativeCarYellowBytes=h3cIfQoSAggregativeCarYellowBytes, h3cIfQoSCQListNumber=h3cIfQoSCQListNumber, h3cIfQoSWredApplyIfRunInfoEntry=h3cIfQoSWredApplyIfRunInfoEntry, h3cIfQoSWredDropLPreNTcpBytes=h3cIfQoSWredDropLPreNTcpBytes, h3cIfQoSAggregativeCarCbs=h3cIfQoSAggregativeCarCbs, h3cIfQoSWredPreRandomDropNum=h3cIfQoSWredPreRandomDropNum, h3cIfQoSQSWeightEntry=h3cIfQoSQSWeightEntry, h3cIfQoSPQClassRuleEntry=h3cIfQoSPQClassRuleEntry, h3cIfQoSWredDropHPreNTcpPkts=h3cIfQoSWredDropHPreNTcpPkts, h3cQoSIfTraStaRunDirection=h3cQoSIfTraStaRunDirection, h3cIfQoSCarlListNum=h3cIfQoSCarlListNum, h3cIfQoSCQQueueLengthEntry=h3cIfQoSCQQueueLengthEntry, h3cIfQoSRTPQPacketNumber=h3cIfQoSRTPQPacketNumber, h3cIfQoSWFQHashedMaxActiveQueues=h3cIfQoSWFQHashedMaxActiveQueues, h3cIfQoSHardwareQueueConfigGroup=h3cIfQoSHardwareQueueConfigGroup, h3cIfQoSRTPQDiscardPackets=h3cIfQoSRTPQDiscardPackets, h3cIfQoSGTSRunInfoTable=h3cIfQoSGTSRunInfoTable, h3cIfQoSWFQQueueNumber=h3cIfQoSWFQQueueNumber, h3cIfQoSSoftwareQueueObjects=h3cIfQoSSoftwareQueueObjects, h3cIfQoSQmtokenRosStatus=h3cIfQoSQmtokenRosStatus, h3cQoSIfTraStaRunInfoTable=h3cQoSIfTraStaRunInfoTable, h3cIfQoSMaxBandwidth=h3cIfQoSMaxBandwidth, h3cIfQoSAggregativeCarApplyRuleType=h3cIfQoSAggregativeCarApplyRuleType, h3cIfQoSQueueID=h3cIfQoSQueueID, h3cIfQoSPQSize=h3cIfQoSPQSize, h3cQoSIfTraStaRunPassBytes=h3cQoSIfTraStaRunPassBytes, h3cIfQoSTricolorCarRedPackets=h3cIfQoSTricolorCarRedPackets, h3cIfQoSTailDropBPS=h3cIfQoSTailDropBPS, h3cIfQoSPassBPS=h3cIfQoSPassBPS, h3cIfQoSAggregativeCarApplyRuleValue=h3cIfQoSAggregativeCarApplyRuleValue, CarAction=CarAction, h3cIfQoSPortWredWeightConstantTable=h3cIfQoSPortWredWeightConstantTable, h3cIfQoSWredDropLPreTcpBPS=h3cIfQoSWredDropLPreTcpBPS, h3cIfQoSTricolorCarRedBytes=h3cIfQoSTricolorCarRedBytes, h3cIfQoSCQApplyEntry=h3cIfQoSCQApplyEntry, h3cIfQoSAggregativeCarEbs=h3cIfQoSAggregativeCarEbs, h3cIfQoSAggregativeCarConfigEntry=h3cIfQoSAggregativeCarConfigEntry, h3cIfQoSTricolorCarYellowActionType=h3cIfQoSTricolorCarYellowActionType, PriorityQueue=PriorityQueue, h3cIfQoSTricolorCarValue=h3cIfQoSTricolorCarValue, h3cQoSTraStaConfigGroup=h3cQoSTraStaConfigGroup, h3cIfQoSGTSConfigRowStatus=h3cIfQoSGTSConfigRowStatus, h3cIfQoSPriMapGroupNextIndex=h3cIfQoSPriMapGroupNextIndex, h3cIfQoSQmtokenNumber=h3cIfQoSQmtokenNumber, h3cIfQoSCurQueuePPS=h3cIfQoSCurQueuePPS, h3cIfQoSWREDRandomDropNum=h3cIfQoSWREDRandomDropNum, h3cIfQoSWFQTable=h3cIfQoSWFQTable, h3cIfQoSTricolorCarYellowBytes=h3cIfQoSTricolorCarYellowBytes, h3cIfQoSPortWredPreConfigTable=h3cIfQoSPortWredPreConfigTable, h3cQoSIfTraStaConfigInfoEntry=h3cQoSIfTraStaConfigInfoEntry, h3cIfQoSTricolorCarRunInfoTable=h3cIfQoSTricolorCarRunInfoTable, h3cIfQoSLRDirection=h3cIfQoSLRDirection, h3cIfQoSCQApplyListNumber=h3cIfQoSCQApplyListNumber, h3cIfQoSRTPQRunInfoEntry=h3cIfQoSRTPQRunInfoEntry, h3cIfQoSTricolorCarGreenActionValue=h3cIfQoSTricolorCarGreenActionValue, h3cIfQoSAggregativeCarGreenActionType=h3cIfQoSAggregativeCarGreenActionType, h3cIfQoSWredRowStatus=h3cIfQoSWredRowStatus, h3cIfQoSPortPriorityConfigGroup=h3cIfQoSPortPriorityConfigGroup, h3cIfQoSTricolorCarRedActionValue=h3cIfQoSTricolorCarRedActionValue, h3cIfQoSPortWredRunInfoEntry=h3cIfQoSPortWredRunInfoEntry, h3cIfQoSWFQEntry=h3cIfQoSWFQEntry, h3cIfQoSPortPriorityTable=h3cIfQoSPortPriorityTable, h3cIfQoSDropPackets=h3cIfQoSDropPackets)
mibBuilder.exportSymbols('A3COM-HUAWEI-IFQOS2-MIB', h3cIfQoSWredDropLPreNTcpPPS=h3cIfQoSWredDropLPreNTcpPPS, h3cIfQoSTricolorCarCbs=h3cIfQoSTricolorCarCbs, h3cQoSIfTraStaConfigInfoTable=h3cQoSIfTraStaConfigInfoTable, h3cIfQoSWFQConfigGroup=h3cIfQoSWFQConfigGroup, h3cQoSIfTraStaConfigQueue=h3cQoSIfTraStaConfigQueue, h3cIfQoSCarlEntry=h3cIfQoSCarlEntry, h3cIfQoSTricolorCarYellowActionValue=h3cIfQoSTricolorCarYellowActionValue, h3cIfQoSHardwareQueueRunInfoEntry=h3cIfQoSHardwareQueueRunInfoEntry, h3cIfQoSGTSPassedPackets=h3cIfQoSGTSPassedPackets, h3cIfQoSTricolorCarRedActionType=h3cIfQoSTricolorCarRedActionType, h3cIfQoSPortBindingTable=h3cIfQoSPortBindingTable, h3cIfQoSCQApplyTable=h3cIfQoSCQApplyTable, h3cIfQoSQSValue=h3cIfQoSQSValue, h3cIfQoSTricolorCarType=h3cIfQoSTricolorCarType, h3cIfQoSCQQueueServing=h3cIfQoSCQQueueServing, h3cIfQoSPriMapConfigGroup=h3cIfQoSPriMapConfigGroup, h3cIfQoSPortBindingEntry=h3cIfQoSPortBindingEntry, h3cIfQoSWredDropLPreTcpPPS=h3cIfQoSWredDropLPreTcpPPS, h3cIfQoSFIFORunInfoTable=h3cIfQoSFIFORunInfoTable, h3cIfQoSQmtokenEntry=h3cIfQoSQmtokenEntry, h3cIfQoSAggregativeCarApplyTable=h3cIfQoSAggregativeCarApplyTable, h3cIfQoSWredDropPkts=h3cIfQoSWredDropPkts, h3cIfQoSLRRunInfoPassedBytes=h3cIfQoSLRRunInfoPassedBytes, h3cIfQoSGTSQueueSize=h3cIfQoSGTSQueueSize, h3cIfQoSPQApplyTable=h3cIfQoSPQApplyTable, h3cIfQoSCarlTable=h3cIfQoSCarlTable, h3cIfQoSPQDiscardPackets=h3cIfQoSPQDiscardPackets, h3cIfQoSPQQueueLengthTable=h3cIfQoSPQQueueLengthTable, h3cIfQoSWredGroupGroup=h3cIfQoSWredGroupGroup, h3cQoSIfTraStaRunPassPPS=h3cQoSIfTraStaRunPassPPS, PYSNMP_MODULE_ID=h3cIfQos2, h3cIfQoSWredDropHPreTcpBytes=h3cIfQoSWredDropHPreTcpBytes, h3cIfQoSAggregativeCarRowStatus=h3cIfQoSAggregativeCarRowStatus, h3cIfQoSGTSCir=h3cIfQoSGTSCir, h3cIfQoSWFQSize=h3cIfQoSWFQSize, h3cIfQoSGTSObjects=h3cIfQoSGTSObjects, h3fIfQosWFQhashedTotalQueues=h3fIfQosWFQhashedTotalQueues, h3cIfQoSWFQRowStatus=h3cIfQoSWFQRowStatus, h3cIfQoSGTSEbs=h3cIfQoSGTSEbs, h3cIfQoSWredDropHPreTcpBPS=h3cIfQoSWredDropHPreTcpBPS, h3cIfQoSGTSConfigTable=h3cIfQoSGTSConfigTable, h3cIfQoSFIFORunInfoEntry=h3cIfQoSFIFORunInfoEntry, h3cIfQoSWredGroupContentSubIndex=h3cIfQoSWredGroupContentSubIndex, h3cIfQoSPortWredPreDiscardProbability=h3cIfQoSPortWredPreDiscardProbability, h3cIfQoSGTSClassRuleType=h3cIfQoSGTSClassRuleType, h3cIfQoSAggregativeCarYellowActionValue=h3cIfQoSAggregativeCarYellowActionValue, h3cIfQoSWREDObjects=h3cIfQoSWREDObjects, h3cIfQoSHardwareQueueRunInfoGroup=h3cIfQoSHardwareQueueRunInfoGroup, h3cIfQoSCQRunInfoGroup=h3cIfQoSCQRunInfoGroup, h3cIfQoSPortWredPreConfigEntry=h3cIfQoSPortWredPreConfigEntry, h3cIfQoSRowStatus=h3cIfQoSRowStatus, h3cIfQoSPassBytes=h3cIfQoSPassBytes, h3cIfQoSLineRateObjects=h3cIfQoSLineRateObjects, h3cIfQoSWredDropLPreNTcpBPS=h3cIfQoSWredDropLPreNTcpBPS, h3cIfQoSWredGroupName=h3cIfQoSWredGroupName, h3cIfQoSTricolorCarDirection=h3cIfQoSTricolorCarDirection, h3cIfQoSPriMapGroupType=h3cIfQoSPriMapGroupType, h3cIfQoSPQLength=h3cIfQoSPQLength, h3cIfQoSPriMapGroupImportValue=h3cIfQoSPriMapGroupImportValue, h3cIfQoSL3PlusObjects=h3cIfQoSL3PlusObjects, h3cIfQoSAggregativeCarApplyCarIndex=h3cIfQoSAggregativeCarApplyCarIndex, h3cIfQoSWredDropHPreTcpPkts=h3cIfQoSWredDropHPreTcpPkts, h3cIfQoSPQListNumber=h3cIfQoSPQListNumber, h3cQoSIfTraStaRunDropBytes=h3cQoSIfTraStaRunDropBytes, h3cQoSIfTraStaConfigDscp=h3cQoSIfTraStaConfigDscp, h3cIfQoSCQQueueID=h3cIfQoSCQQueueID, h3cIfQoSCQClassRuleQueueID=h3cIfQoSCQClassRuleQueueID, h3cIfQoSCQRunInfoLength=h3cIfQoSCQRunInfoLength, h3cIfQoSCQRunInfoSize=h3cIfQoSCQRunInfoSize, h3cIfQoSCARObjects=h3cIfQoSCARObjects, h3cIfQoSPortWredPreHighLimit=h3cIfQoSPortWredPreHighLimit, h3cIfQoSFIFOSize=h3cIfQoSFIFOSize, h3cIfQoSGTSConfigEntry=h3cIfQoSGTSConfigEntry, h3cIfQoSWredGroupEntry=h3cIfQoSWredGroupEntry, h3cIfQoSCurQueuePkts=h3cIfQoSCurQueuePkts, h3cIfQoSGTSDelayedPackets=h3cIfQoSGTSDelayedPackets, h3cIfQoSPassPPS=h3cIfQoSPassPPS, h3cIfQoSFIFOConfigTable=h3cIfQoSFIFOConfigTable, h3cIfQoSAggregativeCarGreenActionValue=h3cIfQoSAggregativeCarGreenActionValue, h3cIfQoSCQRunInfoTable=h3cIfQoSCQRunInfoTable, h3cIfQos2=h3cIfQos2, h3cIfQoSPriMapGroupName=h3cIfQoSPriMapGroupName, h3cIfQoSRTPQObject=h3cIfQoSRTPQObject, h3cIfQoSRTPQReservedBandwidth=h3cIfQoSRTPQReservedBandwidth, h3cIfQoSRTPQConfigGroup=h3cIfQoSRTPQConfigGroup, h3cIfQoSTricolorCarGreenPackets=h3cIfQoSTricolorCarGreenPackets, h3cIfQoSPriMapGroupIndex=h3cIfQoSPriMapGroupIndex, h3cIfQoSPQObject=h3cIfQoSPQObject, h3cIfQoSTricolorCarYellowPackets=h3cIfQoSTricolorCarYellowPackets, h3cIfQoSAggregativeCarType=h3cIfQoSAggregativeCarType, h3cQoSIfTraStaConfigDot1p=h3cQoSIfTraStaConfigDot1p, h3cIfQoSLRRunInfoEntry=h3cIfQoSLRRunInfoEntry, h3cIfQoSWFQQueueLength=h3cIfQoSWFQQueueLength, h3cIfQoSPriMapContentRowStatus=h3cIfQoSPriMapContentRowStatus, h3cIfQoSBandwidthGroup=h3cIfQoSBandwidthGroup, h3cIfQoSRTPQConfigEntry=h3cIfQoSRTPQConfigEntry, h3cQoSIfTraStaRunInfoEntry=h3cQoSIfTraStaRunInfoEntry, h3cIfQoSPassPackets=h3cIfQoSPassPackets, h3cIfQoSGTSDiscardBytes=h3cIfQoSGTSDiscardBytes, h3cQoSIfTraStaConfigStatus=h3cQoSIfTraStaConfigStatus, h3cIfQoSTailDropPkts=h3cIfQoSTailDropPkts, h3cIfQoSTricolorCarRunInfoEntry=h3cIfQoSTricolorCarRunInfoEntry, h3cIfQoSWredGroupType=h3cIfQoSWredGroupType, h3cIfQoSWredLowLimit=h3cIfQoSWredLowLimit, h3cIfQoSPortPirorityTrustTable=h3cIfQoSPortPirorityTrustTable, h3cIfQoSGTSCbs=h3cIfQoSGTSCbs, h3cIfQoSCarListObject=h3cIfQoSCarListObject, h3cIfQoSTricolorCarGreenBytes=h3cIfQoSTricolorCarGreenBytes, h3cIfQoSPQApplyEntry=h3cIfQoSPQApplyEntry, h3cIfQoSPortWredWeightConstant=h3cIfQoSPortWredWeightConstant, Direction=Direction)
|
"""
Given head which is a reference node to a singly-linked list. The value of each node in the
linked list is either 0 or 1. The linked list holds the binary representation of a number.
Return the decimal value of the number in the linked list.
Example 1:
https://assets.leetcode.com/uploads/2019/12/05/graph-1.png
Input: head = [1,0,1]
Output: 5
Explanation: (101) in base 2 = (5) in base 10
Example 2:
Input: head = [0]
Output: 0
Example 3:
Input: head = [1]
Output: 1
Example 4:
Input: head = [1,0,0,1,0,0,1,1,1,0,0,0,0,0,0]
Output: 18880
Example 5:
Input: head = [0,0]
Output: 0
Constraints:
1. The Linked List is not empty.
2. Number of nodes will not exceed 30.
3. Each node's value is either 0 or 1.
"""
class ListNode:
"""
Definition for singly-linked list.
"""
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class Solution:
def getDecimalValue(self, head: ListNode) -> int:
res = 0
while head:
res = 2 * res + head.val
head = head.next
return res
|
"""
Given head which is a reference node to a singly-linked list. The value of each node in the
linked list is either 0 or 1. The linked list holds the binary representation of a number.
Return the decimal value of the number in the linked list.
Example 1:
https://assets.leetcode.com/uploads/2019/12/05/graph-1.png
Input: head = [1,0,1]
Output: 5
Explanation: (101) in base 2 = (5) in base 10
Example 2:
Input: head = [0]
Output: 0
Example 3:
Input: head = [1]
Output: 1
Example 4:
Input: head = [1,0,0,1,0,0,1,1,1,0,0,0,0,0,0]
Output: 18880
Example 5:
Input: head = [0,0]
Output: 0
Constraints:
1. The Linked List is not empty.
2. Number of nodes will not exceed 30.
3. Each node's value is either 0 or 1.
"""
class Listnode:
"""
Definition for singly-linked list.
"""
def __init__(self, val=0, next=None):
self.val = val
self.next = next
class Solution:
def get_decimal_value(self, head: ListNode) -> int:
res = 0
while head:
res = 2 * res + head.val
head = head.next
return res
|
lines = [line.strip() for line in open("input.txt", 'r') if line.strip() != ""]
startingNumbers = [int(i) for i in lines[0].split(",")]
##########################################
# PART 1 #
##########################################
def part1(startingNumbers, target):
i = 0
lastNumber = -1
history = {}
for n in startingNumbers:
if n not in history:
history[n] = []
history[n].append(i)
i += 1
while i < target:
if lastNumber in history and len(history[lastNumber]) >= 2:
a, b = history[lastNumber][-2:]
n = b - a
else:
n = 0
if n not in history:
history[n] = []
history[n].append(i)
lastNumber = n
i += 1
return lastNumber
print('Answer to part 1 is', part1(startingNumbers, 2020))
##########################################
# PART 2 #
##########################################
# takes a minute but works
print('Answer to part 2 is', part1(startingNumbers, 30000000))
|
lines = [line.strip() for line in open('input.txt', 'r') if line.strip() != '']
starting_numbers = [int(i) for i in lines[0].split(',')]
def part1(startingNumbers, target):
i = 0
last_number = -1
history = {}
for n in startingNumbers:
if n not in history:
history[n] = []
history[n].append(i)
i += 1
while i < target:
if lastNumber in history and len(history[lastNumber]) >= 2:
(a, b) = history[lastNumber][-2:]
n = b - a
else:
n = 0
if n not in history:
history[n] = []
history[n].append(i)
last_number = n
i += 1
return lastNumber
print('Answer to part 1 is', part1(startingNumbers, 2020))
print('Answer to part 2 is', part1(startingNumbers, 30000000))
|
def load(h):
return ({'abbr': 'Reserved', 'code': 0, 'title': 'RESERVED Reserved Reserved'},
{'abbr': 'pres', 'code': 1, 'title': 'PRES Pressure Pa'},
{'abbr': 'msl', 'code': 2, 'title': 'MSL Mean sea level pressure Pa'},
{'abbr': 'ptend', 'code': 3, 'title': 'PTEND Pressure tendency Pa s**-1'},
{'abbr': 'pv',
'code': 4,
'title': 'PV Potential vorticity K m**2 kg**-1 s**-1'},
{'abbr': 'icaht',
'code': 5,
'title': 'ICAHT ICAO Standard Atmosphere reference height m'},
{'abbr': 'z', 'code': 6, 'title': 'Z Geopotential m**2 s**-2'},
{'abbr': 'gh', 'code': 7, 'title': 'GH Geopotential height gpm'},
{'abbr': 'h', 'code': 8, 'title': 'H Geometrical height m'},
{'abbr': 'hstdv', 'code': 9, 'title': 'HSTDV Standard deviation of height m'},
{'abbr': 'tco3', 'code': 10, 'title': 'TCO3 Total column ozone Dobson'},
{'abbr': 't', 'code': 11, 'title': 'T Temperature K'},
{'abbr': 'vptmp',
'code': 12,
'title': 'VPTMP Virtual potential temperature K'},
{'abbr': 'pt', 'code': 13, 'title': 'PT Potential temperature K'},
{'abbr': 'papt',
'code': 14,
'title': 'PAPT Pseudo-adiabatic potential temperature K'},
{'abbr': 'tmax', 'code': 15, 'title': 'TMAX Maximum temperature K'},
{'abbr': 'tmin', 'code': 16, 'title': 'TMIN Minimum temperature K'},
{'abbr': 'td', 'code': 17, 'title': 'TD Dew point temperature K'},
{'abbr': 'depr',
'code': 18,
'title': 'DEPR Dew point depression (or deficit) K'},
{'abbr': 'lapr', 'code': 19, 'title': 'LAPR Lapse rate K m**-1'},
{'abbr': 'vis', 'code': 20, 'title': 'VIS Visibility m'},
{'abbr': 'rdsp1', 'code': 21, 'title': 'RDSP1 Radar spectra (1) -'},
{'abbr': 'rdsp2', 'code': 22, 'title': 'RDSP2 Radar spectra (2) -'},
{'abbr': 'rdsp3', 'code': 23, 'title': 'RDSP3 Radar spectra (3) -'},
{'abbr': 'pli', 'code': 24, 'title': 'PLI Parcel lifted index (to 500 hPa) K'},
{'abbr': 'ta', 'code': 25, 'title': 'TA Temperature anomaly K'},
{'abbr': 'presa', 'code': 26, 'title': 'PRESA Pressure anomaly Pa'},
{'abbr': 'gpa', 'code': 27, 'title': 'GPA Geopotential height anomaly gpm'},
{'abbr': 'wvsp1', 'code': 28, 'title': 'WVSP1 Wave spectra (1) -'},
{'abbr': 'wvsp2', 'code': 29, 'title': 'WVSP2 Wave spectra (2) -'},
{'abbr': 'wvsp3', 'code': 30, 'title': 'WVSP3 Wave spectra (3) -'},
{'abbr': 'wdir', 'code': 31, 'title': 'WDIR Wind direction Degree true'},
{'abbr': 'ws', 'code': 32, 'title': 'WS Wind speed m s**-1'},
{'abbr': 'u', 'code': 33, 'title': 'U u-component of wind m s**-1'},
{'abbr': 'v', 'code': 34, 'title': 'V v-component of wind m s**-1'},
{'abbr': 'strf', 'code': 35, 'title': 'STRF Stream function m2 s**-1'},
{'abbr': 'vp', 'code': 36, 'title': 'VP Velocity potential m2 s**-1'},
{'abbr': 'mntsf',
'code': 37,
'title': 'MNTSF Montgomery stream function m**2 s**-1'},
{'abbr': 'sgcvv',
'code': 38,
'title': 'SGCVV Sigma coordinate vertical velocity s**-1'},
{'abbr': 'w', 'code': 39, 'title': 'W Pressure Vertical velocity Pa s**-1'},
{'abbr': 'tw', 'code': 40, 'title': 'TW Vertical velocity m s**-1'},
{'abbr': 'absv', 'code': 41, 'title': 'ABSV Absolute vorticity s**-1'},
{'abbr': 'absd', 'code': 42, 'title': 'ABSD Absolute divergence s**-1'},
{'abbr': 'vo', 'code': 43, 'title': 'VO Relative vorticity s**-1'},
{'abbr': 'd', 'code': 44, 'title': 'D Relative divergence s**-1'},
{'abbr': 'vucsh',
'code': 45,
'title': 'VUCSH Vertical u-component shear s**-1'},
{'abbr': 'vvcsh',
'code': 46,
'title': 'VVCSH Vertical v-component shear s**-1'},
{'abbr': 'dirc', 'code': 47, 'title': 'DIRC Direction of current Degree true'},
{'abbr': 'spc', 'code': 48, 'title': 'SPC Speed of current m s**-1'},
{'abbr': 'ucurr', 'code': 49, 'title': 'UCURR U-component of current m s**-1'},
{'abbr': 'vcurr', 'code': 50, 'title': 'VCURR V-component of current m s**-1'},
{'abbr': 'q', 'code': 51, 'title': 'Q Specific humidity kg kg**-1'},
{'abbr': 'r', 'code': 52, 'title': 'R Relative humidity %'},
{'abbr': 'mixr', 'code': 53, 'title': 'MIXR Humidity mixing ratio kg kg**-1'},
{'abbr': 'pwat', 'code': 54, 'title': 'PWAT Precipitable water kg m**-2'},
{'abbr': 'vp', 'code': 55, 'title': 'VP Vapour pressure Pa'},
{'abbr': 'satd', 'code': 56, 'title': 'SATD Saturation deficit Pa'},
{'abbr': 'e', 'code': 57, 'title': 'E Evaporation kg m**-2'},
{'abbr': 'ciwc', 'code': 58, 'title': 'CIWC Cloud ice kg m**-2'},
{'abbr': 'prate',
'code': 59,
'title': 'PRATE Precipitation rate kg m**-2 s**-1'},
{'abbr': 'tstm', 'code': 60, 'title': 'TSTM Thunderstorm probability %'},
{'abbr': 'tp', 'code': 61, 'title': 'TP Total precipitation kg m**-2'},
{'abbr': 'lsp', 'code': 62, 'title': 'LSP Large scale precipitation kg m**-2'},
{'abbr': 'acpcp',
'code': 63,
'title': 'ACPCP Convective precipitation (water) kg m**-2'},
{'abbr': 'srweq',
'code': 64,
'title': 'SRWEQ Snow fall rate water equivalent kg m**-2 s**-1'},
{'abbr': 'sf',
'code': 65,
'title': 'SF Water equivalent of accumulated snow depth kg m**-2'},
{'abbr': 'sd', 'code': 66, 'title': 'SD Snow depth m'},
{'abbr': 'mld', 'code': 67, 'title': 'MLD Mixed layer depth m'},
{'abbr': 'tthdp', 'code': 68, 'title': 'TTHDP Transient thermocline depth m'},
{'abbr': 'mthd', 'code': 69, 'title': 'MTHD Main thermocline depth m'},
{'abbr': 'mtha', 'code': 70, 'title': 'MTHA Main thermocline anomaly m'},
{'abbr': 'tcc',
'code': 71,
'title': 'TCC Total cloud cover',
'units': '0 - 1'},
{'abbr': 'ccc',
'code': 72,
'title': 'CCC Convective cloud cover',
'units': '0 - 1'},
{'abbr': 'lcc', 'code': 73, 'title': 'LCC Low cloud cover', 'units': '0 - 1'},
{'abbr': 'mcc',
'code': 74,
'title': 'MCC Medium cloud cover',
'units': '0 - 1'},
{'abbr': 'hcc', 'code': 75, 'title': 'HCC High cloud cover', 'units': '0 - 1'},
{'abbr': 'cwat', 'code': 76, 'title': 'CWAT Cloud water kg m**-2'},
{'abbr': 'bli', 'code': 77, 'title': 'BLI Best lifted index (to 500 hPa) K'},
{'abbr': 'csf', 'code': 78, 'title': 'CSF Convective snowfall kg m**-2'},
{'abbr': 'lsf', 'code': 79, 'title': 'LSF Large scale snowfall kg m**-2'},
{'abbr': 'wtmp', 'code': 80, 'title': 'WTMP Water temperature K'},
{'abbr': 'lsm',
'code': 81,
'title': 'LSM Land cover (1=land, 0=sea)',
'units': '0 - 1'},
{'abbr': 'dslm',
'code': 82,
'title': 'DSLM Deviation of sea-level from mean m'},
{'abbr': 'sr', 'code': 83, 'title': 'SR Surface roughness m'},
{'abbr': 'al', 'code': 84, 'title': 'AL Albedo %'},
{'abbr': 'st', 'code': 85, 'title': 'ST Soil temperature K'},
{'abbr': 'sm', 'code': 86, 'title': 'SM Soil moisture content kg m**-2'},
{'abbr': 'veg', 'code': 87, 'title': 'VEG Vegetation %'},
{'abbr': 's', 'code': 88, 'title': 'S Salinity kg kg**-1'},
{'abbr': 'den', 'code': 89, 'title': 'DEN Density kg m**-3'},
{'abbr': 'ro', 'code': 90, 'title': 'RO Water run-off kg m**-2'},
{'abbr': 'icec',
'code': 91,
'title': 'ICEC Ice cover (1=land, 0=sea)',
'units': '0 - 1'},
{'abbr': 'icetk', 'code': 92, 'title': 'ICETK Ice thickness m'},
{'abbr': 'diced',
'code': 93,
'title': 'DICED Direction of ice drift Degree true'},
{'abbr': 'siced', 'code': 94, 'title': 'SICED Speed of ice drift m s**-1'},
{'abbr': 'uice', 'code': 95, 'title': 'UICE U-component of ice drift m s**-1'},
{'abbr': 'vice', 'code': 96, 'title': 'VICE V-component of ice drift m s**-1'},
{'abbr': 'iceg', 'code': 97, 'title': 'ICEG Ice growth rate m s**-1'},
{'abbr': 'iced', 'code': 98, 'title': 'ICED Ice divergence s**-1'},
{'abbr': 'snom', 'code': 99, 'title': 'SNOM Snow melt kg m**-2'},
{'abbr': 'swh',
'code': 100,
'title': 'SWH Signific.height,combined wind waves+swell m'},
{'abbr': 'mdww',
'code': 101,
'title': 'MDWW Mean Direction of wind waves Degree true'},
{'abbr': 'shww',
'code': 102,
'title': 'SHWW Significant height of wind waves m'},
{'abbr': 'mpww', 'code': 103, 'title': 'MPWW Mean period of wind waves s'},
{'abbr': 'swdir',
'code': 104,
'title': 'SWDIR Direction of swell waves Degree true'},
{'abbr': 'swell',
'code': 105,
'title': 'SWELL Significant height of swell waves m'},
{'abbr': 'swper', 'code': 106, 'title': 'SWPER Mean period of swell waves s'},
{'abbr': 'mdps',
'code': 107,
'title': 'MDPS Mean direction of primary swell Degree true'},
{'abbr': 'mpps', 'code': 108, 'title': 'MPPS Mean period of primary swell s'},
{'abbr': 'dirsw',
'code': 109,
'title': 'DIRSW Secondary wave direction Degree true'},
{'abbr': 'swp', 'code': 110, 'title': 'SWP Secondary wave mean period s'},
{'abbr': 'nswrs',
'code': 111,
'title': 'NSWRS Net short-wave radiation flux (surface) W m**-2'},
{'abbr': 'nlwrs',
'code': 112,
'title': 'NLWRS Net long-wave radiation flux (surface) W m**-2'},
{'abbr': 'nswrt',
'code': 113,
'title': 'NSWRT Net short-wave radiation flux (atmosph.top) W m**-2'},
{'abbr': 'nlwrt',
'code': 114,
'title': 'NLWRT Net long-wave radiation flux (atmosph.top) W m**-2'},
{'abbr': 'lwavr',
'code': 115,
'title': 'LWAVR Long-wave radiation flux W m**-2'},
{'abbr': 'swavr',
'code': 116,
'title': 'SWAVR Short-wave radiation flux W m**-2'},
{'abbr': 'grad', 'code': 117, 'title': 'GRAD Global radiation flux W m**-2'},
{'abbr': 'btmp', 'code': 118, 'title': 'BTMP Brightness temperature K'},
{'abbr': 'lwrad',
'code': 119,
'title': 'LWRAD Radiance (with respect to wave number) W m**-1 sr**-1'},
{'abbr': 'swrad',
'code': 120,
'title': 'SWRAD Radiance (with respect to wave length) W m-**3 sr**-1'},
{'abbr': 'slhf', 'code': 121, 'title': 'SLHF Latent heat flux W m**-2'},
{'abbr': 'sshf', 'code': 122, 'title': 'SSHF Sensible heat flux W m**-2'},
{'abbr': 'bld',
'code': 123,
'title': 'BLD Boundary layer dissipation W m**-2'},
{'abbr': 'uflx',
'code': 124,
'title': 'UFLX Momentum flux, u-component N m**-2'},
{'abbr': 'vflx',
'code': 125,
'title': 'VFLX Momentum flux, v-component N m**-2'},
{'abbr': 'wmixe', 'code': 126, 'title': 'WMIXE Wind mixing energy J'},
{'abbr': 'imgd', 'code': 127, 'title': 'IMGD Image data'},
{'abbr': 'mofl', 'code': 128, 'title': 'MOFL Momentum flux Pa'},
{'abbr': 'maxv', 'code': 135, 'title': 'MAXV Max wind speed (at 10m) m s**-1'},
{'abbr': 'tland', 'code': 140, 'title': 'TLAND Temperature over land K'},
{'abbr': 'qland',
'code': 141,
'title': 'QLAND Specific humidity over land kg kg**-1'},
{'abbr': 'rhland',
'code': 142,
'title': 'RHLAND Relative humidity over land Fraction'},
{'abbr': 'dptland', 'code': 143, 'title': 'DPTLAND Dew point over land K'},
{'abbr': 'slfr', 'code': 160, 'title': 'SLFR Slope fraction -'},
{'abbr': 'shfr', 'code': 161, 'title': 'SHFR Shadow fraction -'},
{'abbr': 'rsha', 'code': 162, 'title': 'RSHA Shadow parameter A -'},
{'abbr': 'rshb', 'code': 163, 'title': 'RSHB Shadow parameter B -'},
{'abbr': 'susl', 'code': 165, 'title': 'SUSL Surface slope -'},
{'abbr': 'skwf', 'code': 166, 'title': 'SKWF Sky wiew factor -'},
{'abbr': 'frasp', 'code': 167, 'title': 'FRASP Fraction of aspect -'},
{'abbr': 'asn', 'code': 190, 'title': 'ASN Snow albedo -'},
{'abbr': 'dsn', 'code': 191, 'title': 'DSN Snow density -'},
{'abbr': 'watcn',
'code': 192,
'title': 'WATCN Water on canopy level kg m**-2'},
{'abbr': 'ssi', 'code': 193, 'title': 'SSI Surface soil ice m**3 m**-3'},
{'abbr': 'sltyp', 'code': 195, 'title': 'SLTYP Soil type code -'},
{'abbr': 'fol', 'code': 196, 'title': 'FOL Fraction of lake -'},
{'abbr': 'fof', 'code': 197, 'title': 'FOF Fraction of forest -'},
{'abbr': 'fool', 'code': 198, 'title': 'FOOL Fraction of open land -'},
{'abbr': 'vgtyp',
'code': 199,
'title': 'VGTYP Vegetation type (Olsson land use) -'},
{'abbr': 'tke', 'code': 200, 'title': 'TKE Turbulent Kinetic Energy J kg**-1'},
{'abbr': 'mssso',
'code': 208,
'title': 'MSSSO Maximum slope of smallest scale orography rad'},
{'abbr': 'sdsso',
'code': 209,
'title': 'SDSSO Standard deviation of smallest scale orography gpm'},
{'abbr': 'gust', 'code': 228, 'title': 'GUST Max wind gust m s**-1'})
|
def load(h):
return ({'abbr': 'Reserved', 'code': 0, 'title': 'RESERVED Reserved Reserved'}, {'abbr': 'pres', 'code': 1, 'title': 'PRES Pressure Pa'}, {'abbr': 'msl', 'code': 2, 'title': 'MSL Mean sea level pressure Pa'}, {'abbr': 'ptend', 'code': 3, 'title': 'PTEND Pressure tendency Pa s**-1'}, {'abbr': 'pv', 'code': 4, 'title': 'PV Potential vorticity K m**2 kg**-1 s**-1'}, {'abbr': 'icaht', 'code': 5, 'title': 'ICAHT ICAO Standard Atmosphere reference height m'}, {'abbr': 'z', 'code': 6, 'title': 'Z Geopotential m**2 s**-2'}, {'abbr': 'gh', 'code': 7, 'title': 'GH Geopotential height gpm'}, {'abbr': 'h', 'code': 8, 'title': 'H Geometrical height m'}, {'abbr': 'hstdv', 'code': 9, 'title': 'HSTDV Standard deviation of height m'}, {'abbr': 'tco3', 'code': 10, 'title': 'TCO3 Total column ozone Dobson'}, {'abbr': 't', 'code': 11, 'title': 'T Temperature K'}, {'abbr': 'vptmp', 'code': 12, 'title': 'VPTMP Virtual potential temperature K'}, {'abbr': 'pt', 'code': 13, 'title': 'PT Potential temperature K'}, {'abbr': 'papt', 'code': 14, 'title': 'PAPT Pseudo-adiabatic potential temperature K'}, {'abbr': 'tmax', 'code': 15, 'title': 'TMAX Maximum temperature K'}, {'abbr': 'tmin', 'code': 16, 'title': 'TMIN Minimum temperature K'}, {'abbr': 'td', 'code': 17, 'title': 'TD Dew point temperature K'}, {'abbr': 'depr', 'code': 18, 'title': 'DEPR Dew point depression (or deficit) K'}, {'abbr': 'lapr', 'code': 19, 'title': 'LAPR Lapse rate K m**-1'}, {'abbr': 'vis', 'code': 20, 'title': 'VIS Visibility m'}, {'abbr': 'rdsp1', 'code': 21, 'title': 'RDSP1 Radar spectra (1) -'}, {'abbr': 'rdsp2', 'code': 22, 'title': 'RDSP2 Radar spectra (2) -'}, {'abbr': 'rdsp3', 'code': 23, 'title': 'RDSP3 Radar spectra (3) -'}, {'abbr': 'pli', 'code': 24, 'title': 'PLI Parcel lifted index (to 500 hPa) K'}, {'abbr': 'ta', 'code': 25, 'title': 'TA Temperature anomaly K'}, {'abbr': 'presa', 'code': 26, 'title': 'PRESA Pressure anomaly Pa'}, {'abbr': 'gpa', 'code': 27, 'title': 'GPA Geopotential height anomaly gpm'}, {'abbr': 'wvsp1', 'code': 28, 'title': 'WVSP1 Wave spectra (1) -'}, {'abbr': 'wvsp2', 'code': 29, 'title': 'WVSP2 Wave spectra (2) -'}, {'abbr': 'wvsp3', 'code': 30, 'title': 'WVSP3 Wave spectra (3) -'}, {'abbr': 'wdir', 'code': 31, 'title': 'WDIR Wind direction Degree true'}, {'abbr': 'ws', 'code': 32, 'title': 'WS Wind speed m s**-1'}, {'abbr': 'u', 'code': 33, 'title': 'U u-component of wind m s**-1'}, {'abbr': 'v', 'code': 34, 'title': 'V v-component of wind m s**-1'}, {'abbr': 'strf', 'code': 35, 'title': 'STRF Stream function m2 s**-1'}, {'abbr': 'vp', 'code': 36, 'title': 'VP Velocity potential m2 s**-1'}, {'abbr': 'mntsf', 'code': 37, 'title': 'MNTSF Montgomery stream function m**2 s**-1'}, {'abbr': 'sgcvv', 'code': 38, 'title': 'SGCVV Sigma coordinate vertical velocity s**-1'}, {'abbr': 'w', 'code': 39, 'title': 'W Pressure Vertical velocity Pa s**-1'}, {'abbr': 'tw', 'code': 40, 'title': 'TW Vertical velocity m s**-1'}, {'abbr': 'absv', 'code': 41, 'title': 'ABSV Absolute vorticity s**-1'}, {'abbr': 'absd', 'code': 42, 'title': 'ABSD Absolute divergence s**-1'}, {'abbr': 'vo', 'code': 43, 'title': 'VO Relative vorticity s**-1'}, {'abbr': 'd', 'code': 44, 'title': 'D Relative divergence s**-1'}, {'abbr': 'vucsh', 'code': 45, 'title': 'VUCSH Vertical u-component shear s**-1'}, {'abbr': 'vvcsh', 'code': 46, 'title': 'VVCSH Vertical v-component shear s**-1'}, {'abbr': 'dirc', 'code': 47, 'title': 'DIRC Direction of current Degree true'}, {'abbr': 'spc', 'code': 48, 'title': 'SPC Speed of current m s**-1'}, {'abbr': 'ucurr', 'code': 49, 'title': 'UCURR U-component of current m s**-1'}, {'abbr': 'vcurr', 'code': 50, 'title': 'VCURR V-component of current m s**-1'}, {'abbr': 'q', 'code': 51, 'title': 'Q Specific humidity kg kg**-1'}, {'abbr': 'r', 'code': 52, 'title': 'R Relative humidity %'}, {'abbr': 'mixr', 'code': 53, 'title': 'MIXR Humidity mixing ratio kg kg**-1'}, {'abbr': 'pwat', 'code': 54, 'title': 'PWAT Precipitable water kg m**-2'}, {'abbr': 'vp', 'code': 55, 'title': 'VP Vapour pressure Pa'}, {'abbr': 'satd', 'code': 56, 'title': 'SATD Saturation deficit Pa'}, {'abbr': 'e', 'code': 57, 'title': 'E Evaporation kg m**-2'}, {'abbr': 'ciwc', 'code': 58, 'title': 'CIWC Cloud ice kg m**-2'}, {'abbr': 'prate', 'code': 59, 'title': 'PRATE Precipitation rate kg m**-2 s**-1'}, {'abbr': 'tstm', 'code': 60, 'title': 'TSTM Thunderstorm probability %'}, {'abbr': 'tp', 'code': 61, 'title': 'TP Total precipitation kg m**-2'}, {'abbr': 'lsp', 'code': 62, 'title': 'LSP Large scale precipitation kg m**-2'}, {'abbr': 'acpcp', 'code': 63, 'title': 'ACPCP Convective precipitation (water) kg m**-2'}, {'abbr': 'srweq', 'code': 64, 'title': 'SRWEQ Snow fall rate water equivalent kg m**-2 s**-1'}, {'abbr': 'sf', 'code': 65, 'title': 'SF Water equivalent of accumulated snow depth kg m**-2'}, {'abbr': 'sd', 'code': 66, 'title': 'SD Snow depth m'}, {'abbr': 'mld', 'code': 67, 'title': 'MLD Mixed layer depth m'}, {'abbr': 'tthdp', 'code': 68, 'title': 'TTHDP Transient thermocline depth m'}, {'abbr': 'mthd', 'code': 69, 'title': 'MTHD Main thermocline depth m'}, {'abbr': 'mtha', 'code': 70, 'title': 'MTHA Main thermocline anomaly m'}, {'abbr': 'tcc', 'code': 71, 'title': 'TCC Total cloud cover', 'units': '0 - 1'}, {'abbr': 'ccc', 'code': 72, 'title': 'CCC Convective cloud cover', 'units': '0 - 1'}, {'abbr': 'lcc', 'code': 73, 'title': 'LCC Low cloud cover', 'units': '0 - 1'}, {'abbr': 'mcc', 'code': 74, 'title': 'MCC Medium cloud cover', 'units': '0 - 1'}, {'abbr': 'hcc', 'code': 75, 'title': 'HCC High cloud cover', 'units': '0 - 1'}, {'abbr': 'cwat', 'code': 76, 'title': 'CWAT Cloud water kg m**-2'}, {'abbr': 'bli', 'code': 77, 'title': 'BLI Best lifted index (to 500 hPa) K'}, {'abbr': 'csf', 'code': 78, 'title': 'CSF Convective snowfall kg m**-2'}, {'abbr': 'lsf', 'code': 79, 'title': 'LSF Large scale snowfall kg m**-2'}, {'abbr': 'wtmp', 'code': 80, 'title': 'WTMP Water temperature K'}, {'abbr': 'lsm', 'code': 81, 'title': 'LSM Land cover (1=land, 0=sea)', 'units': '0 - 1'}, {'abbr': 'dslm', 'code': 82, 'title': 'DSLM Deviation of sea-level from mean m'}, {'abbr': 'sr', 'code': 83, 'title': 'SR Surface roughness m'}, {'abbr': 'al', 'code': 84, 'title': 'AL Albedo %'}, {'abbr': 'st', 'code': 85, 'title': 'ST Soil temperature K'}, {'abbr': 'sm', 'code': 86, 'title': 'SM Soil moisture content kg m**-2'}, {'abbr': 'veg', 'code': 87, 'title': 'VEG Vegetation %'}, {'abbr': 's', 'code': 88, 'title': 'S Salinity kg kg**-1'}, {'abbr': 'den', 'code': 89, 'title': 'DEN Density kg m**-3'}, {'abbr': 'ro', 'code': 90, 'title': 'RO Water run-off kg m**-2'}, {'abbr': 'icec', 'code': 91, 'title': 'ICEC Ice cover (1=land, 0=sea)', 'units': '0 - 1'}, {'abbr': 'icetk', 'code': 92, 'title': 'ICETK Ice thickness m'}, {'abbr': 'diced', 'code': 93, 'title': 'DICED Direction of ice drift Degree true'}, {'abbr': 'siced', 'code': 94, 'title': 'SICED Speed of ice drift m s**-1'}, {'abbr': 'uice', 'code': 95, 'title': 'UICE U-component of ice drift m s**-1'}, {'abbr': 'vice', 'code': 96, 'title': 'VICE V-component of ice drift m s**-1'}, {'abbr': 'iceg', 'code': 97, 'title': 'ICEG Ice growth rate m s**-1'}, {'abbr': 'iced', 'code': 98, 'title': 'ICED Ice divergence s**-1'}, {'abbr': 'snom', 'code': 99, 'title': 'SNOM Snow melt kg m**-2'}, {'abbr': 'swh', 'code': 100, 'title': 'SWH Signific.height,combined wind waves+swell m'}, {'abbr': 'mdww', 'code': 101, 'title': 'MDWW Mean Direction of wind waves Degree true'}, {'abbr': 'shww', 'code': 102, 'title': 'SHWW Significant height of wind waves m'}, {'abbr': 'mpww', 'code': 103, 'title': 'MPWW Mean period of wind waves s'}, {'abbr': 'swdir', 'code': 104, 'title': 'SWDIR Direction of swell waves Degree true'}, {'abbr': 'swell', 'code': 105, 'title': 'SWELL Significant height of swell waves m'}, {'abbr': 'swper', 'code': 106, 'title': 'SWPER Mean period of swell waves s'}, {'abbr': 'mdps', 'code': 107, 'title': 'MDPS Mean direction of primary swell Degree true'}, {'abbr': 'mpps', 'code': 108, 'title': 'MPPS Mean period of primary swell s'}, {'abbr': 'dirsw', 'code': 109, 'title': 'DIRSW Secondary wave direction Degree true'}, {'abbr': 'swp', 'code': 110, 'title': 'SWP Secondary wave mean period s'}, {'abbr': 'nswrs', 'code': 111, 'title': 'NSWRS Net short-wave radiation flux (surface) W m**-2'}, {'abbr': 'nlwrs', 'code': 112, 'title': 'NLWRS Net long-wave radiation flux (surface) W m**-2'}, {'abbr': 'nswrt', 'code': 113, 'title': 'NSWRT Net short-wave radiation flux (atmosph.top) W m**-2'}, {'abbr': 'nlwrt', 'code': 114, 'title': 'NLWRT Net long-wave radiation flux (atmosph.top) W m**-2'}, {'abbr': 'lwavr', 'code': 115, 'title': 'LWAVR Long-wave radiation flux W m**-2'}, {'abbr': 'swavr', 'code': 116, 'title': 'SWAVR Short-wave radiation flux W m**-2'}, {'abbr': 'grad', 'code': 117, 'title': 'GRAD Global radiation flux W m**-2'}, {'abbr': 'btmp', 'code': 118, 'title': 'BTMP Brightness temperature K'}, {'abbr': 'lwrad', 'code': 119, 'title': 'LWRAD Radiance (with respect to wave number) W m**-1 sr**-1'}, {'abbr': 'swrad', 'code': 120, 'title': 'SWRAD Radiance (with respect to wave length) W m-**3 sr**-1'}, {'abbr': 'slhf', 'code': 121, 'title': 'SLHF Latent heat flux W m**-2'}, {'abbr': 'sshf', 'code': 122, 'title': 'SSHF Sensible heat flux W m**-2'}, {'abbr': 'bld', 'code': 123, 'title': 'BLD Boundary layer dissipation W m**-2'}, {'abbr': 'uflx', 'code': 124, 'title': 'UFLX Momentum flux, u-component N m**-2'}, {'abbr': 'vflx', 'code': 125, 'title': 'VFLX Momentum flux, v-component N m**-2'}, {'abbr': 'wmixe', 'code': 126, 'title': 'WMIXE Wind mixing energy J'}, {'abbr': 'imgd', 'code': 127, 'title': 'IMGD Image data'}, {'abbr': 'mofl', 'code': 128, 'title': 'MOFL Momentum flux Pa'}, {'abbr': 'maxv', 'code': 135, 'title': 'MAXV Max wind speed (at 10m) m s**-1'}, {'abbr': 'tland', 'code': 140, 'title': 'TLAND Temperature over land K'}, {'abbr': 'qland', 'code': 141, 'title': 'QLAND Specific humidity over land kg kg**-1'}, {'abbr': 'rhland', 'code': 142, 'title': 'RHLAND Relative humidity over land Fraction'}, {'abbr': 'dptland', 'code': 143, 'title': 'DPTLAND Dew point over land K'}, {'abbr': 'slfr', 'code': 160, 'title': 'SLFR Slope fraction -'}, {'abbr': 'shfr', 'code': 161, 'title': 'SHFR Shadow fraction -'}, {'abbr': 'rsha', 'code': 162, 'title': 'RSHA Shadow parameter A -'}, {'abbr': 'rshb', 'code': 163, 'title': 'RSHB Shadow parameter B -'}, {'abbr': 'susl', 'code': 165, 'title': 'SUSL Surface slope -'}, {'abbr': 'skwf', 'code': 166, 'title': 'SKWF Sky wiew factor -'}, {'abbr': 'frasp', 'code': 167, 'title': 'FRASP Fraction of aspect -'}, {'abbr': 'asn', 'code': 190, 'title': 'ASN Snow albedo -'}, {'abbr': 'dsn', 'code': 191, 'title': 'DSN Snow density -'}, {'abbr': 'watcn', 'code': 192, 'title': 'WATCN Water on canopy level kg m**-2'}, {'abbr': 'ssi', 'code': 193, 'title': 'SSI Surface soil ice m**3 m**-3'}, {'abbr': 'sltyp', 'code': 195, 'title': 'SLTYP Soil type code -'}, {'abbr': 'fol', 'code': 196, 'title': 'FOL Fraction of lake -'}, {'abbr': 'fof', 'code': 197, 'title': 'FOF Fraction of forest -'}, {'abbr': 'fool', 'code': 198, 'title': 'FOOL Fraction of open land -'}, {'abbr': 'vgtyp', 'code': 199, 'title': 'VGTYP Vegetation type (Olsson land use) -'}, {'abbr': 'tke', 'code': 200, 'title': 'TKE Turbulent Kinetic Energy J kg**-1'}, {'abbr': 'mssso', 'code': 208, 'title': 'MSSSO Maximum slope of smallest scale orography rad'}, {'abbr': 'sdsso', 'code': 209, 'title': 'SDSSO Standard deviation of smallest scale orography gpm'}, {'abbr': 'gust', 'code': 228, 'title': 'GUST Max wind gust m s**-1'})
|
def printom(str):
return f"ye hath mujhe {str}"
def add(n1, n2):
return n1 + n2 + 5
print("and the name is", __name__)
if __name__ == '__main__':
print(printom("de de thakur"))
o = add(4, 6)
print(o)
|
def printom(str):
return f'ye hath mujhe {str}'
def add(n1, n2):
return n1 + n2 + 5
print('and the name is', __name__)
if __name__ == '__main__':
print(printom('de de thakur'))
o = add(4, 6)
print(o)
|
# Class to test the GrapherWindow Class
class GrapherTester:
def __init__(self):
subject = Grapher()
testFileName = 'TestData.csv'
testStockName = 'Test Stock'
testGenerateGraphWithAllPositiveNumbers(testFileName, testStockName)
def createTestData(xAxis, yAxis):
# Generates a graph with random Data
plotData = {'X-Axis':xAxis, 'Y-Axis':yAxis}
dataFrame = pandas.DataFrame(plotData)
return dataFrame
def testGenerateGraphWithAllPositiveNumbers(self, testFileName, stockName):
dataFrame = self.createTestData([0, 1, 2, 3, 4], [3, 5, 1, 2, 6])
subject.generateGraph(predictionFileName = "TestData.csv")
assert os.path.exists(self.testStockName + " Graph.png")
def testGenerateGraphWithSomeBadNumbers(self, testFileName, stockName):
dataFrame = self.createTestData([0, 1, 2, 3, 4], [3, 5, -1, 2, 6])
assert subject.generateGraph(testFileName, dataFrame) == False
|
class Graphertester:
def __init__(self):
subject = grapher()
test_file_name = 'TestData.csv'
test_stock_name = 'Test Stock'
test_generate_graph_with_all_positive_numbers(testFileName, testStockName)
def create_test_data(xAxis, yAxis):
plot_data = {'X-Axis': xAxis, 'Y-Axis': yAxis}
data_frame = pandas.DataFrame(plotData)
return dataFrame
def test_generate_graph_with_all_positive_numbers(self, testFileName, stockName):
data_frame = self.createTestData([0, 1, 2, 3, 4], [3, 5, 1, 2, 6])
subject.generateGraph(predictionFileName='TestData.csv')
assert os.path.exists(self.testStockName + ' Graph.png')
def test_generate_graph_with_some_bad_numbers(self, testFileName, stockName):
data_frame = self.createTestData([0, 1, 2, 3, 4], [3, 5, -1, 2, 6])
assert subject.generateGraph(testFileName, dataFrame) == False
|
#!/usr/bin/env python
# encoding: utf-8
"""
populate_next_right_pointers.py
Created by Shengwei on 2014-07-27.
"""
# https://oj.leetcode.com/problems/populating-next-right-pointers-in-each-node/
# tags: medium, tree, pointer, recursion
"""Given a binary tree
struct TreeLinkNode {
TreeLinkNode *left;
TreeLinkNode *right;
TreeLinkNode *next;
}
Populate each next pointer to point to its next right node. If there is no next right node, the next pointer should be set to NULL.
Initially, all next pointers are set to NULL.
Note:
You may only use constant extra space.
You may assume that it is a perfect binary tree (ie, all leaves are at the same level, and every parent has two children).
For example,
Given the following perfect binary tree,
1
/ \
2 3
/ \ / \
4 5 6 7
After calling your function, the tree should look like:
1 -> NULL
/ \
2 -> 3 -> NULL
/ \ / \
4->5->6->7 -> NULL
"""
# https://oj.leetcode.com/discuss/1808/may-only-constant-extra-space-does-mean-cannot-use-recursion
# Definition for a binary tree node
# class TreeNode:
# def __init__(self, x):
# self.val = x
# self.left = None
# self.right = None
# self.next = None
class Solution:
# @param root, a tree node
# @return nothing
def connect(self, root):
if root is None:
return
head = root
while head.left:
parent = head
cursor = None
while parent:
if cursor:
cursor.next = parent.left
parent.left.next = parent.right
cursor = parent.right
parent = parent.next
head = head.left
|
"""
populate_next_right_pointers.py
Created by Shengwei on 2014-07-27.
"""
'Given a binary tree\n\n struct TreeLinkNode {\n TreeLinkNode *left;\n TreeLinkNode *right;\n TreeLinkNode *next;\n }\nPopulate each next pointer to point to its next right node. If there is no next right node, the next pointer should be set to NULL.\n\nInitially, all next pointers are set to NULL.\n\nNote:\n\nYou may only use constant extra space.\nYou may assume that it is a perfect binary tree (ie, all leaves are at the same level, and every parent has two children).\nFor example,\nGiven the following perfect binary tree,\n 1\n / 2 3\n / \\ / 4 5 6 7\nAfter calling your function, the tree should look like:\n 1 -> NULL\n / 2 -> 3 -> NULL\n / \\ / 4->5->6->7 -> NULL\n'
class Solution:
def connect(self, root):
if root is None:
return
head = root
while head.left:
parent = head
cursor = None
while parent:
if cursor:
cursor.next = parent.left
parent.left.next = parent.right
cursor = parent.right
parent = parent.next
head = head.left
|
class Policy:
def select_edge(self, board_state, score=None, opp_score=None):
raise NotImplementedError
|
class Policy:
def select_edge(self, board_state, score=None, opp_score=None):
raise NotImplementedError
|
"""
This module implements the helm toolchain rule.
"""
HelmInfo = provider(
doc = "Information on Helm command line tool",
fields = {
"tool": "Target pointing to Helm executable",
"cmd": "File pointing to Helm executable"
}
)
def _helm_toolchain_impl(ctx):
toolchain_info = platform_common.ToolchainInfo(
helminfo = HelmInfo(
tool = ctx.attr.tool_path,
cmd = ctx.executable.tool_path,
),
)
return [toolchain_info]
helm_toolchain = rule(
implementation = _helm_toolchain_impl,
attrs = {
"tool_path": attr.label(
allow_single_file = True,
cfg = "host",
executable = True,
),
},
)
|
"""
This module implements the helm toolchain rule.
"""
helm_info = provider(doc='Information on Helm command line tool', fields={'tool': 'Target pointing to Helm executable', 'cmd': 'File pointing to Helm executable'})
def _helm_toolchain_impl(ctx):
toolchain_info = platform_common.ToolchainInfo(helminfo=helm_info(tool=ctx.attr.tool_path, cmd=ctx.executable.tool_path))
return [toolchain_info]
helm_toolchain = rule(implementation=_helm_toolchain_impl, attrs={'tool_path': attr.label(allow_single_file=True, cfg='host', executable=True)})
|
class ChocolateBoiler:
unique_instance = None
def __new__(cls, *args, **kwargs):
if not cls.unique_instance:
cls.unique_instance = super().__new__(cls, *args, **kwargs)
return cls.unique_instance
def __init__(self):
self.empty = True
self.boiled = False
def is_empty(self):
return self.empty
def is_boiled(self):
return self.boiled
def fill(self):
if self.is_empty():
self.empty = False
self.boiled = False
def drain(self):
if not self.is_empty() and self.is_boiled():
self.empty = True
def boil(self):
if not self.is_empty() and not self.is_boiled():
self.boiled = True
|
class Chocolateboiler:
unique_instance = None
def __new__(cls, *args, **kwargs):
if not cls.unique_instance:
cls.unique_instance = super().__new__(cls, *args, **kwargs)
return cls.unique_instance
def __init__(self):
self.empty = True
self.boiled = False
def is_empty(self):
return self.empty
def is_boiled(self):
return self.boiled
def fill(self):
if self.is_empty():
self.empty = False
self.boiled = False
def drain(self):
if not self.is_empty() and self.is_boiled():
self.empty = True
def boil(self):
if not self.is_empty() and (not self.is_boiled()):
self.boiled = True
|
class Solution:
def numRescueBoats(self, people, limit):
"""
:type people: List[int]
:type limit: int
:rtype: int
"""
people.sort()
l, r, cnt = 0, len(people) - 1, 0
saved = 0
while saved < len(people):
if people[r] + people[l] <= limit:
l += 1
saved += 1
r -= 1
saved += 1
cnt += 1
return cnt
|
class Solution:
def num_rescue_boats(self, people, limit):
"""
:type people: List[int]
:type limit: int
:rtype: int
"""
people.sort()
(l, r, cnt) = (0, len(people) - 1, 0)
saved = 0
while saved < len(people):
if people[r] + people[l] <= limit:
l += 1
saved += 1
r -= 1
saved += 1
cnt += 1
return cnt
|
inpu = """4
aba
baba
aba
xzxb
3
aba
xzxb
ab
"""
inp = """100
lekgdisnsbfdzpqlkg
eagemhdygyv
jwvwwnrhuai
urcadmrwlqe
mpgqsvxrijpombyv
mpgqsvxrijpombyv
urcadmrwlqe
mpgqsvxrijpombyv
eagemhdygyv
eagemhdygyv
jwvwwnrhuai
urcadmrwlqe
jwvwwnrhuai
kvugevicpsdf
kvugevicpsdf
mpgqsvxrijpombyv
urcadmrwlqe
mpgqsvxrijpombyv
exdafbnobg
qhootohpnfvbl
suffrbmqgnln
exdafbnobg
exdafbnobg
eagemhdygyv
mpgqsvxrijpombyv
urcadmrwlqe
jwvwwnrhuai
lekgdisnsbfdzpqlkg
mpgqsvxrijpombyv
lekgdisnsbfdzpqlkg
jwvwwnrhuai
exdafbnobg
mpgqsvxrijpombyv
kvugevicpsdf
qhootohpnfvbl
urcadmrwlqe
kvugevicpsdf
mpgqsvxrijpombyv
lekgdisnsbfdzpqlkg
mpgqsvxrijpombyv
kvugevicpsdf
qhootohpnfvbl
lxyqetmgdbmh
urcadmrwlqe
urcadmrwlqe
kvugevicpsdf
lxyqetmgdbmh
urcadmrwlqe
lxyqetmgdbmh
jwvwwnrhuai
qhootohpnfvbl
qhootohpnfvbl
jwvwwnrhuai
lekgdisnsbfdzpqlkg
kvugevicpsdf
mpgqsvxrijpombyv
exdafbnobg
kvugevicpsdf
lekgdisnsbfdzpqlkg
qhootohpnfvbl
exdafbnobg
qhootohpnfvbl
exdafbnobg
mpgqsvxrijpombyv
suffrbmqgnln
mpgqsvxrijpombyv
qhootohpnfvbl
jwvwwnrhuai
mpgqsvxrijpombyv
qhootohpnfvbl
lekgdisnsbfdzpqlkg
eagemhdygyv
jwvwwnrhuai
kvugevicpsdf
eagemhdygyv
eagemhdygyv
lxyqetmgdbmh
qhootohpnfvbl
lxyqetmgdbmh
exdafbnobg
qhootohpnfvbl
qhootohpnfvbl
exdafbnobg
suffrbmqgnln
mpgqsvxrijpombyv
urcadmrwlqe
eagemhdygyv
lxyqetmgdbmh
urcadmrwlqe
suffrbmqgnln
qhootohpnfvbl
kvugevicpsdf
lekgdisnsbfdzpqlkg
lxyqetmgdbmh
mpgqsvxrijpombyv
jwvwwnrhuai
lxyqetmgdbmh
lxyqetmgdbmh
lekgdisnsbfdzpqlkg
qhootohpnfvbl
100
exdafbnobg
eagemhdygyv
mpgqsvxrijpombyv
kvugevicpsdf
lekgdisnsbfdzpqlkg
kvugevicpsdf
exdafbnobg
qhootohpnfvbl
eagemhdygyv
kvugevicpsdf
suffrbmqgnln
jwvwwnrhuai
lekgdisnsbfdzpqlkg
lekgdisnsbfdzpqlkg
mpgqsvxrijpombyv
jwvwwnrhuai
kvugevicpsdf
lekgdisnsbfdzpqlkg
exdafbnobg
suffrbmqgnln
qhootohpnfvbl
eagemhdygyv
exdafbnobg
suffrbmqgnln
jwvwwnrhuai
qhootohpnfvbl
eagemhdygyv
exdafbnobg
exdafbnobg
jwvwwnrhuai
qhootohpnfvbl
lxyqetmgdbmh
qhootohpnfvbl
suffrbmqgnln
lxyqetmgdbmh
qhootohpnfvbl
eagemhdygyv
jwvwwnrhuai
eagemhdygyv
qhootohpnfvbl
mpgqsvxrijpombyv
qhootohpnfvbl
jwvwwnrhuai
exdafbnobg
eagemhdygyv
eagemhdygyv
kvugevicpsdf
kvugevicpsdf
jwvwwnrhuai
urcadmrwlqe
lxyqetmgdbmh
qhootohpnfvbl
exdafbnobg
exdafbnobg
eagemhdygyv
qhootohpnfvbl
exdafbnobg
exdafbnobg
lekgdisnsbfdzpqlkg
jwvwwnrhuai
eagemhdygyv
urcadmrwlqe
kvugevicpsdf
lekgdisnsbfdzpqlkg
jwvwwnrhuai
eagemhdygyv
lekgdisnsbfdzpqlkg
exdafbnobg
kvugevicpsdf
jwvwwnrhuai
exdafbnobg
lxyqetmgdbmh
exdafbnobg
lxyqetmgdbmh
jwvwwnrhuai
mpgqsvxrijpombyv
eagemhdygyv
urcadmrwlqe
kvugevicpsdf
qhootohpnfvbl
jwvwwnrhuai
eagemhdygyv
urcadmrwlqe
urcadmrwlqe
exdafbnobg
qhootohpnfvbl
exdafbnobg
eagemhdygyv
exdafbnobg
jwvwwnrhuai
eagemhdygyv
jwvwwnrhuai
mpgqsvxrijpombyv
urcadmrwlqe
urcadmrwlqe
eagemhdygyv
eagemhdygyv
jwvwwnrhuai
suffrbmqgnln
eagemhdygyv"""
inp = list(inp.strip().split("\n"))
string_count = int(inp[0])
strings = []
for i in range(string_count):
strings.append(inp[i+1])
query_count = int(inp[string_count + 1])
queries = []
for i in range(query_count):
queries.append(inp[i + string_count + 2])
print(query_count, string_count)
def queryProcessed(ele, arr):
for var in arr:
if (ele == var):
return True
return False
def matchingStrings(strings, queries):
query_count,string_count = len(queries),len(strings)
result = [0 for x in range(query_count)]
for i,query in enumerate(queries):
for string in strings:
if (query == string):
if (not queryProcessed(query, queries[:i])):
ind = i
result[ind] += 1
else:
ind = queries.index(query)
result[i] = result[ind]
return (result)
print(matchingStrings(strings,queries))
|
inpu = '4\naba\nbaba\naba\nxzxb\n3\naba\nxzxb\nab\n'
inp = '100\nlekgdisnsbfdzpqlkg\neagemhdygyv\njwvwwnrhuai\nurcadmrwlqe\nmpgqsvxrijpombyv\nmpgqsvxrijpombyv\nurcadmrwlqe\nmpgqsvxrijpombyv\neagemhdygyv\neagemhdygyv\njwvwwnrhuai\nurcadmrwlqe\njwvwwnrhuai\nkvugevicpsdf\nkvugevicpsdf\nmpgqsvxrijpombyv\nurcadmrwlqe\nmpgqsvxrijpombyv\nexdafbnobg\nqhootohpnfvbl\nsuffrbmqgnln\nexdafbnobg\nexdafbnobg\neagemhdygyv\nmpgqsvxrijpombyv\nurcadmrwlqe\njwvwwnrhuai\nlekgdisnsbfdzpqlkg\nmpgqsvxrijpombyv\nlekgdisnsbfdzpqlkg\njwvwwnrhuai\nexdafbnobg\nmpgqsvxrijpombyv\nkvugevicpsdf\nqhootohpnfvbl\nurcadmrwlqe\nkvugevicpsdf\nmpgqsvxrijpombyv\nlekgdisnsbfdzpqlkg\nmpgqsvxrijpombyv\nkvugevicpsdf\nqhootohpnfvbl\nlxyqetmgdbmh\nurcadmrwlqe\nurcadmrwlqe\nkvugevicpsdf\nlxyqetmgdbmh\nurcadmrwlqe\nlxyqetmgdbmh\njwvwwnrhuai\nqhootohpnfvbl\nqhootohpnfvbl\njwvwwnrhuai\nlekgdisnsbfdzpqlkg\nkvugevicpsdf\nmpgqsvxrijpombyv\nexdafbnobg\nkvugevicpsdf\nlekgdisnsbfdzpqlkg\nqhootohpnfvbl\nexdafbnobg\nqhootohpnfvbl\nexdafbnobg\nmpgqsvxrijpombyv\nsuffrbmqgnln\nmpgqsvxrijpombyv\nqhootohpnfvbl\njwvwwnrhuai\nmpgqsvxrijpombyv\nqhootohpnfvbl\nlekgdisnsbfdzpqlkg\neagemhdygyv\njwvwwnrhuai\nkvugevicpsdf\neagemhdygyv\neagemhdygyv\nlxyqetmgdbmh\nqhootohpnfvbl\nlxyqetmgdbmh\nexdafbnobg\nqhootohpnfvbl\nqhootohpnfvbl\nexdafbnobg\nsuffrbmqgnln\nmpgqsvxrijpombyv\nurcadmrwlqe\neagemhdygyv\nlxyqetmgdbmh\nurcadmrwlqe\nsuffrbmqgnln\nqhootohpnfvbl\nkvugevicpsdf\nlekgdisnsbfdzpqlkg\nlxyqetmgdbmh\nmpgqsvxrijpombyv\njwvwwnrhuai\nlxyqetmgdbmh\nlxyqetmgdbmh\nlekgdisnsbfdzpqlkg\nqhootohpnfvbl\n100\nexdafbnobg\neagemhdygyv\nmpgqsvxrijpombyv\nkvugevicpsdf\nlekgdisnsbfdzpqlkg\nkvugevicpsdf\nexdafbnobg\nqhootohpnfvbl\neagemhdygyv\nkvugevicpsdf\nsuffrbmqgnln\njwvwwnrhuai\nlekgdisnsbfdzpqlkg\nlekgdisnsbfdzpqlkg\nmpgqsvxrijpombyv\njwvwwnrhuai\nkvugevicpsdf\nlekgdisnsbfdzpqlkg\nexdafbnobg\nsuffrbmqgnln\nqhootohpnfvbl\neagemhdygyv\nexdafbnobg\nsuffrbmqgnln\njwvwwnrhuai\nqhootohpnfvbl\neagemhdygyv\nexdafbnobg\nexdafbnobg\njwvwwnrhuai\nqhootohpnfvbl\nlxyqetmgdbmh\nqhootohpnfvbl\nsuffrbmqgnln\nlxyqetmgdbmh\nqhootohpnfvbl\neagemhdygyv\njwvwwnrhuai\neagemhdygyv\nqhootohpnfvbl\nmpgqsvxrijpombyv\nqhootohpnfvbl\njwvwwnrhuai\nexdafbnobg\neagemhdygyv\neagemhdygyv\nkvugevicpsdf\nkvugevicpsdf\njwvwwnrhuai\nurcadmrwlqe\nlxyqetmgdbmh\nqhootohpnfvbl\nexdafbnobg\nexdafbnobg\neagemhdygyv\nqhootohpnfvbl\nexdafbnobg\nexdafbnobg\nlekgdisnsbfdzpqlkg\njwvwwnrhuai\neagemhdygyv\nurcadmrwlqe\nkvugevicpsdf\nlekgdisnsbfdzpqlkg\njwvwwnrhuai\neagemhdygyv\nlekgdisnsbfdzpqlkg\nexdafbnobg\nkvugevicpsdf\njwvwwnrhuai\nexdafbnobg\nlxyqetmgdbmh\nexdafbnobg\nlxyqetmgdbmh\njwvwwnrhuai\nmpgqsvxrijpombyv\neagemhdygyv\nurcadmrwlqe\nkvugevicpsdf\nqhootohpnfvbl\njwvwwnrhuai\neagemhdygyv\nurcadmrwlqe\nurcadmrwlqe\nexdafbnobg\nqhootohpnfvbl\nexdafbnobg\neagemhdygyv\nexdafbnobg\njwvwwnrhuai\neagemhdygyv\njwvwwnrhuai\nmpgqsvxrijpombyv\nurcadmrwlqe\nurcadmrwlqe\neagemhdygyv\neagemhdygyv\njwvwwnrhuai\nsuffrbmqgnln\neagemhdygyv'
inp = list(inp.strip().split('\n'))
string_count = int(inp[0])
strings = []
for i in range(string_count):
strings.append(inp[i + 1])
query_count = int(inp[string_count + 1])
queries = []
for i in range(query_count):
queries.append(inp[i + string_count + 2])
print(query_count, string_count)
def query_processed(ele, arr):
for var in arr:
if ele == var:
return True
return False
def matching_strings(strings, queries):
(query_count, string_count) = (len(queries), len(strings))
result = [0 for x in range(query_count)]
for (i, query) in enumerate(queries):
for string in strings:
if query == string:
if not query_processed(query, queries[:i]):
ind = i
result[ind] += 1
else:
ind = queries.index(query)
result[i] = result[ind]
return result
print(matching_strings(strings, queries))
|
class StartUploadEvent(object):
"""Event dispatched when an upload starts"""
def __init__(self, filepath, upload_file_rank, files_to_upload):
"""
Constructor
:param str filepath: file which starts to be uploaded
:param int upload_file_rank: rank of the file in upload queue
:param int files_to_upload: total files to upload count
"""
self._filepath = filepath
self._upload_file_rank = upload_file_rank
self._files_to_upload = files_to_upload
@property
def filepath(self): # pragma: no cover
"""
Getter for the file which starts to be uploaded
:type: str
"""
return self._filepath
@property
def upload_file_rank(self): # pragma: no cover
"""
Getter for the rank of the file in upload queue
:type: int
"""
return self._upload_file_rank
@property
def files_to_upload(self): # pragma: no cover
"""
Getter for the total files to upload count
:rtype: int
"""
return self._files_to_upload
|
class Startuploadevent(object):
"""Event dispatched when an upload starts"""
def __init__(self, filepath, upload_file_rank, files_to_upload):
"""
Constructor
:param str filepath: file which starts to be uploaded
:param int upload_file_rank: rank of the file in upload queue
:param int files_to_upload: total files to upload count
"""
self._filepath = filepath
self._upload_file_rank = upload_file_rank
self._files_to_upload = files_to_upload
@property
def filepath(self):
"""
Getter for the file which starts to be uploaded
:type: str
"""
return self._filepath
@property
def upload_file_rank(self):
"""
Getter for the rank of the file in upload queue
:type: int
"""
return self._upload_file_rank
@property
def files_to_upload(self):
"""
Getter for the total files to upload count
:rtype: int
"""
return self._files_to_upload
|
class Solution:
def minAvailableDuration(self, slots1: List[List[int]], slots2: List[List[int]], duration: int) -> List[int]:
timeslots = list(filter(lambda x: x[1] - x[0] >= duration, slots1 + slots2))
heapq.heapify(timeslots)
while len(timeslots) > 1:
start1, end1 = heapq.heappop(timeslots)
start2, end2 = timeslots[0]
if end1 >= start2 + duration:
return [start2, start2 + duration]
return []
|
class Solution:
def min_available_duration(self, slots1: List[List[int]], slots2: List[List[int]], duration: int) -> List[int]:
timeslots = list(filter(lambda x: x[1] - x[0] >= duration, slots1 + slots2))
heapq.heapify(timeslots)
while len(timeslots) > 1:
(start1, end1) = heapq.heappop(timeslots)
(start2, end2) = timeslots[0]
if end1 >= start2 + duration:
return [start2, start2 + duration]
return []
|
someParameters = input("Please Enter some parameters: ")
def createList(*someParameters):
paramList = []
for add in someParameters:
paramList.append(add)
print(paramList)
return paramList
createList(someParameters)
|
some_parameters = input('Please Enter some parameters: ')
def create_list(*someParameters):
param_list = []
for add in someParameters:
paramList.append(add)
print(paramList)
return paramList
create_list(someParameters)
|
"""
Write a program that first takes the year, month (as integer), and day of the user's birth date from console.
Then, calculate and print on which day of the year the user has been born.
You can assume user will enter a valid value for all inputs.
Example:
Enter your birth year: 1998
Enter your birth month as integer (Jan=1, Feb=2, ...): 9
Enter your birth day of the month: 21
You are born at the 264th day of the year 1998.
Hint: You may want to utilize your solution to leapyear problem.
"""
year = int(input('Enter your birth year: '))
month = int(input('Enter your birth month as integer (Jan=1, Feb=2, ...): '))
day = int(input('Enter your birth day of the month: '))
days = 0
# Part I: add days from the past months
complete_months = month - 1
# We will assume february has 30 days for now and correct later
# Number of days in each month: 31,30,31,30,31,30,31,31,30,31,30,31
# If we combine the pairs: 61,61,61,62,61,61
pairs = complete_months // 2
days += pairs * 61
# if number of pairs is bigger than 3, we need to add 1 since 4th pair has 62 days
if pairs > 3:
days += 1
# we need to add the latest month if it's not included in pairs, i.e, complete_monts % 2 != 0
if complete_months % 2 != 0:
# months 1, 3, 5, 7 has 31 days
if complete_months < 8:
days += 31
# months 9, 11 has 30 days
else:
days += 30
# Part II: Correct for the February assumption (we assumed Feb has 30 days in Part I)
# If the year is a leap year we need to substract 1
if year % 4 == 0 and year % 100 != 0 or year % 400 == 0:
days -= 1
# If its a common we need to substract 2
else:
days -= 2
# Part III: Add the days of the current month
days += day
print('You are born at the ' + str(days) +
'th day of the year ' + str(year) + '.')
|
"""
Write a program that first takes the year, month (as integer), and day of the user's birth date from console.
Then, calculate and print on which day of the year the user has been born.
You can assume user will enter a valid value for all inputs.
Example:
Enter your birth year: 1998
Enter your birth month as integer (Jan=1, Feb=2, ...): 9
Enter your birth day of the month: 21
You are born at the 264th day of the year 1998.
Hint: You may want to utilize your solution to leapyear problem.
"""
year = int(input('Enter your birth year: '))
month = int(input('Enter your birth month as integer (Jan=1, Feb=2, ...): '))
day = int(input('Enter your birth day of the month: '))
days = 0
complete_months = month - 1
pairs = complete_months // 2
days += pairs * 61
if pairs > 3:
days += 1
if complete_months % 2 != 0:
if complete_months < 8:
days += 31
else:
days += 30
if year % 4 == 0 and year % 100 != 0 or year % 400 == 0:
days -= 1
else:
days -= 2
days += day
print('You are born at the ' + str(days) + 'th day of the year ' + str(year) + '.')
|
def first_repeating(n,arr):
#initialize with the minimum index possible
Min = -1
#create a empty dictionary
newSet = dict()
# tranversing the array elments from end
for x in range(n - 1, -1, -1):
#check if the element is already present in the dictionary
#then update min
if arr[x] in newSet.keys():
Min = x
#if element is not present
#add element in the dictionary
else:
newSet[arr[x]] = 1
#print the minimum index of repeating element
if (Min != -1):
print("The first repeating element is",arr[Min])
else:
print("There are no repeating elements")
#Drivers code
arr = [10, 5, 3, 4, 3, 5, 6]
n = len(arr)
print(first_repeating(n,arr))
|
def first_repeating(n, arr):
min = -1
new_set = dict()
for x in range(n - 1, -1, -1):
if arr[x] in newSet.keys():
min = x
else:
newSet[arr[x]] = 1
if Min != -1:
print('The first repeating element is', arr[Min])
else:
print('There are no repeating elements')
arr = [10, 5, 3, 4, 3, 5, 6]
n = len(arr)
print(first_repeating(n, arr))
|
SECRET_KEY = 'testing'
DATABASES = {
'default': {
'ENGINE': 'django.db.backends.sqlite3',
'NAME': ':memory:',
}
}
INSTALLED_APPS = [
'django.contrib.contenttypes',
'django.contrib.auth',
'django.contrib.admin',
'django.contrib.staticfiles',
'django.contrib.sessions',
'cruditor',
]
# We really don't rely on the urlconf but we need to set a path anyway.
ROOT_URLCONF = 'django.contrib.staticfiles.urls'
STATIC_URL = '/static/'
|
secret_key = 'testing'
databases = {'default': {'ENGINE': 'django.db.backends.sqlite3', 'NAME': ':memory:'}}
installed_apps = ['django.contrib.contenttypes', 'django.contrib.auth', 'django.contrib.admin', 'django.contrib.staticfiles', 'django.contrib.sessions', 'cruditor']
root_urlconf = 'django.contrib.staticfiles.urls'
static_url = '/static/'
|
class Drawable():
def draw(self, screen):
pass
def blit(self, screen):
pass
|
class Drawable:
def draw(self, screen):
pass
def blit(self, screen):
pass
|
# Arke
# User-configurable settings.
# Dirty little seeekrits...
SECRET_KEY='much_sekrit_such_secure_wow'
# Database
# See http://docs.sqlalchemy.org/en/rel_0_9/core/engines.html#database-urls
# With DEBUG defined, this is ignored and a SQLite DB in the root folder is used instead.
# SQLite is probably not the best for production, either...
DB_URL='sqlite:///arke.db'
# Development
DEBUG=True
|
secret_key = 'much_sekrit_such_secure_wow'
db_url = 'sqlite:///arke.db'
debug = True
|
class TrieNode:
def __init__(self, c=None, end=False):
self.c = c
self.children = {}
self.end = end
class Trie:
def __init__(self):
"""
Initialize your data structure here.
"""
self.root = TrieNode('')
def insert(self, word: str) -> None:
"""
Inserts a word into the trie.
"""
root = self.root
for ch in word:
if ch not in root.children:
node = TrieNode(ch)
root.children[ch] = node
root = root.children[ch]
root.end = True
def search(self, word: str) -> bool:
"""
Returns if the word is in the trie.
"""
root = self.root
for ch in word:
if ch not in root.children:
return False
root = root.children[ch]
return root.end
def startsWith(self, prefix: str) -> bool:
"""
Returns if there is any word in the trie that starts with the given prefix.
"""
root = self.root
for ch in prefix:
if ch not in root.children:
return False
root = root.children[ch]
return True
|
class Trienode:
def __init__(self, c=None, end=False):
self.c = c
self.children = {}
self.end = end
class Trie:
def __init__(self):
"""
Initialize your data structure here.
"""
self.root = trie_node('')
def insert(self, word: str) -> None:
"""
Inserts a word into the trie.
"""
root = self.root
for ch in word:
if ch not in root.children:
node = trie_node(ch)
root.children[ch] = node
root = root.children[ch]
root.end = True
def search(self, word: str) -> bool:
"""
Returns if the word is in the trie.
"""
root = self.root
for ch in word:
if ch not in root.children:
return False
root = root.children[ch]
return root.end
def starts_with(self, prefix: str) -> bool:
"""
Returns if there is any word in the trie that starts with the given prefix.
"""
root = self.root
for ch in prefix:
if ch not in root.children:
return False
root = root.children[ch]
return True
|
def n_choose_m_iterator(N, M, startpoint=None):
if startpoint is None:
subscripts = list(range(M))
else:
subscripts = copy.deepcopy(startpoint)
while True:
yield subscripts
off = M - 1
while off > -1:
rev_off = M - off
if subscripts[off] < N - rev_off and off >= 0:
break
off -= 1
if off < 0:
break
subscripts[off] += 1
off += 1
while off < M:
subscripts[off] = subscripts[off - 1] + 1
off += 1
def main():
n = 4
m = 2
for sub in n_choose_m_iterator(n, m):
print(sub)
if __name__ == '__main__':
main()
|
def n_choose_m_iterator(N, M, startpoint=None):
if startpoint is None:
subscripts = list(range(M))
else:
subscripts = copy.deepcopy(startpoint)
while True:
yield subscripts
off = M - 1
while off > -1:
rev_off = M - off
if subscripts[off] < N - rev_off and off >= 0:
break
off -= 1
if off < 0:
break
subscripts[off] += 1
off += 1
while off < M:
subscripts[off] = subscripts[off - 1] + 1
off += 1
def main():
n = 4
m = 2
for sub in n_choose_m_iterator(n, m):
print(sub)
if __name__ == '__main__':
main()
|
#Author wangheng
class Solution:
def isNStraightHand(self, hand, W):
c = collections.Counter(hand)
for i in sorted(c):
if c[i] > 0:
for j in range(W)[::-1]:
c[i + j] -= c[i]
if c[i + j] < 0:
return False
return True
|
class Solution:
def is_n_straight_hand(self, hand, W):
c = collections.Counter(hand)
for i in sorted(c):
if c[i] > 0:
for j in range(W)[::-1]:
c[i + j] -= c[i]
if c[i + j] < 0:
return False
return True
|
class EnumMeta(type):
base = False
def __new__(cls, name, bases, kw):
klass = type.__new__(cls, name, bases, kw)
if not EnumMeta.base:
EnumMeta.base = True
return klass
return klass()
class Enum(metaclass=EnumMeta):
def __getitem__(self, key):
if isinstance(key, int):
for k in dir(self):
if len(k)==2:
if getattr(self, k)==key:
return k
return self.__missing__(key)
return getattr(self, key, self.__missing__(key))
def __missing__(self, key):
return None
class chatCommu(Enum):
en = 1
fr = 2
ru = 3
br = 4
es = 5
cn = 6
tr = 7
vk = 8
pl = 9
hu = 10
nl = 11
ro = 12
id = 13
de = 14
e2 = 15
ar = 16
ph = 17
lt = 18
jp = 19
fi = 21
cz = 22
hr = 23
bg = 25
lv = 26
he = 27
it = 28
pt = 31
def __missing__(self, key):
if isinstance(key, int):
return 'int'
return 1
class commu(Enum):
en = 0
fr = 1
br = 2
es = 3
cn = 4
tr = 5
vk = 6
pl = 7
hu = 8
nl = 9
ro = 10
id = 11
de = 12
e2 = 13
ar = 14
ph = 15
lt = 16
jp = 17
ch = 18
fi = 19
cz = 20
sk = 21
hr = 22
bu = 23
lv = 24
he = 25
it = 26
et = 27
az = 28
pt = 29
def __missing__(self, key):
if isinstance(key, int):
return 'int'
return 0
|
class Enummeta(type):
base = False
def __new__(cls, name, bases, kw):
klass = type.__new__(cls, name, bases, kw)
if not EnumMeta.base:
EnumMeta.base = True
return klass
return klass()
class Enum(metaclass=EnumMeta):
def __getitem__(self, key):
if isinstance(key, int):
for k in dir(self):
if len(k) == 2:
if getattr(self, k) == key:
return k
return self.__missing__(key)
return getattr(self, key, self.__missing__(key))
def __missing__(self, key):
return None
class Chatcommu(Enum):
en = 1
fr = 2
ru = 3
br = 4
es = 5
cn = 6
tr = 7
vk = 8
pl = 9
hu = 10
nl = 11
ro = 12
id = 13
de = 14
e2 = 15
ar = 16
ph = 17
lt = 18
jp = 19
fi = 21
cz = 22
hr = 23
bg = 25
lv = 26
he = 27
it = 28
pt = 31
def __missing__(self, key):
if isinstance(key, int):
return 'int'
return 1
class Commu(Enum):
en = 0
fr = 1
br = 2
es = 3
cn = 4
tr = 5
vk = 6
pl = 7
hu = 8
nl = 9
ro = 10
id = 11
de = 12
e2 = 13
ar = 14
ph = 15
lt = 16
jp = 17
ch = 18
fi = 19
cz = 20
sk = 21
hr = 22
bu = 23
lv = 24
he = 25
it = 26
et = 27
az = 28
pt = 29
def __missing__(self, key):
if isinstance(key, int):
return 'int'
return 0
|
#
#.. create syth_test.geo file form this file
#
# python3 mkSyntheticGeoData2D.py test
#
#.. create 3D mesh syth_testmesh.msh
#
# gmsh -3 -format msh2 -o syth_testmesh.msh syth_test.geo
#
#.. run for synthetic data
#
# python3 mkSyntheticData2D.py -s synth -g -m test
#
# creating test_grav.nc and test_mag.nc
#
# next step is start the inversion process:
#
# python3 mkGeoFromNc.py -c 60 -p 60 -h 1. -P benchmark1 -g test_grav.nc -m test_mag.nc
#
project="test"
km=1000.
gravfile=project+"_grav1Noise.nc"
magfile=project+"_mag1Noise.nc"
#
# It is assumed that the XY-data arrays are flat and parallel to the surface at a given height and
# corresponding data are not changing vertically across a thin layer.
#
# .... these are the horizontal coordinates of the lower-left (south-west) end of the data array in the mesh [m]:
DataRefX=0.0
DataRefY=0.0
# ... this is the height of the grav and magnetic data above ground [m] (can be zero)
DataHeightAboveGround=0*km
# .... this total extent of the data array [m]:(total length of the array)
#DataSpacingX=1*km
#DataSpacingY=1*km
LDataY=40*km
LDataX=70*km
# ... number of data points in east-west (X) and north-south (Y) direction:
DataNumX=141
DataNumY=81
# Note: the resolution specified here should roughly match the resolution of the actual data as input data are interpolated to the resolution in the mesh
# ... this is the "thickness" of the data array = the thickness of the vertical layer.
DataMeshSizeVertical=0.5*km
# ... this is the thickness of region below the data area. In essence it defines the depth of the inversion
CoreThickness=60*km
# ... there is also an air layer and this is its thickness [m] (no updates for density and magnetization here)
AirLayerThickness=30*km
# ... there is padding around the core and air layer. For the subsurface there will be updates in padding region but not for the air layer
PaddingAir=60000.0
PaddingX=60000.0
PaddingY=60000.0
PaddingZ=60000.0
# ... these are factors by which the DataMeshSizeVertical is raised in the air layer and in the core.
MeshSizeAirFactor=10
MeshSizeCoreFactor=5
# ... these are factors by which the core and air layer mesh size are raised for the padding zone.
MeshSizePaddingFactor=5
# name of the mesh file (gmsh 3 file format)
meshfile=project+'mesh.msh'
B_hx = 45000.0 # background magnetic field in nT x direction
B_hz = 0.0 # background magnetic field in nT y direction
B_hy = 0.0 # background magnetic field in nT z direction
#
# this defines the assumed true density and magnetization:
#
s1={ 'xc' : LDataX/3, 'yc' : LDataY/3, 'zc' : -CoreThickness*0.145, 'r' : 8*km }
s2={ 'xc' : 2*LDataX/3, 'yc' : 2*LDataY/3, 'zc' : -CoreThickness*0.11, 'r' : 6*km }
# ... 500 kg/m^3 over the union of sphere 1 and 2
true_density = [(-320, [s1]),(500, [s2]) ]
# ... 0.1 on sphere 1 and 0.03 on sphere 2:
true_magnetization= [ ( 0.16, [s1]), (-0.25, [s2])]
noise=5
|
project = 'test'
km = 1000.0
gravfile = project + '_grav1Noise.nc'
magfile = project + '_mag1Noise.nc'
data_ref_x = 0.0
data_ref_y = 0.0
data_height_above_ground = 0 * km
l_data_y = 40 * km
l_data_x = 70 * km
data_num_x = 141
data_num_y = 81
data_mesh_size_vertical = 0.5 * km
core_thickness = 60 * km
air_layer_thickness = 30 * km
padding_air = 60000.0
padding_x = 60000.0
padding_y = 60000.0
padding_z = 60000.0
mesh_size_air_factor = 10
mesh_size_core_factor = 5
mesh_size_padding_factor = 5
meshfile = project + 'mesh.msh'
b_hx = 45000.0
b_hz = 0.0
b_hy = 0.0
s1 = {'xc': LDataX / 3, 'yc': LDataY / 3, 'zc': -CoreThickness * 0.145, 'r': 8 * km}
s2 = {'xc': 2 * LDataX / 3, 'yc': 2 * LDataY / 3, 'zc': -CoreThickness * 0.11, 'r': 6 * km}
true_density = [(-320, [s1]), (500, [s2])]
true_magnetization = [(0.16, [s1]), (-0.25, [s2])]
noise = 5
|
class Item:
def __init__(self, id, quantity, price):
self.__product_id = id
self.__quantity = quantity
self.__price = price
def update_quantity(self, quantity):
None
class ShoppingCart:
def __init__(self):
self.__items = []
def add_item(self, item):
None
def remove_item(self, item):
None
def update_item_quantity(self, item, quantity):
None
def get_items(self):
return self.__items
def checkout(self):
None
class OrderLog:
def __init__(self, order_number, status=OrderStatus.PENDING):
self.__order_number = order_number
self.__creation_date = datetime.date.today()
self.__status = status
class Order:
def __init__(self, order_number, status=OrderStatus.PENDING):
self.__order_number = 0
self.__status = status
self.__order_date = datetime.date.today()
self.__order_log = []
def send_for_shipment(self):
None
def make_payment(self, payment):
None
def add_order_log(self, order_log):
None
|
class Item:
def __init__(self, id, quantity, price):
self.__product_id = id
self.__quantity = quantity
self.__price = price
def update_quantity(self, quantity):
None
class Shoppingcart:
def __init__(self):
self.__items = []
def add_item(self, item):
None
def remove_item(self, item):
None
def update_item_quantity(self, item, quantity):
None
def get_items(self):
return self.__items
def checkout(self):
None
class Orderlog:
def __init__(self, order_number, status=OrderStatus.PENDING):
self.__order_number = order_number
self.__creation_date = datetime.date.today()
self.__status = status
class Order:
def __init__(self, order_number, status=OrderStatus.PENDING):
self.__order_number = 0
self.__status = status
self.__order_date = datetime.date.today()
self.__order_log = []
def send_for_shipment(self):
None
def make_payment(self, payment):
None
def add_order_log(self, order_log):
None
|
class Solution(object):
def search(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: int
"""
if not nums:
return -1
lo = 0
hi = len(nums)-1
old_size = len(nums)
# if not rotated
if nums[lo] <= nums[hi]:
return self.binary_search(nums,lo,hi+1,target)
else:
# extent list so that new list[lo:] is sorted
while(nums[lo] > nums[hi]):
lo = hi
hi -= 1
nums += nums[:hi+1]
# get result
re = self.binary_search(nums,lo,len(nums),target)
# if index large origin list size, return index-length of origin list
return re - old_size if re >= old_size else re
def binary_search(self,array,low,high,target):
'''
low: dtype int, index of lowest int
high: dtype int, index of highest int
target: dtype int, the int we search for
this function is a normal binary search function
O(log(n))
'''
mid = low +(high - low) // 2
mid_value = array[mid]
if low+1 >= high:
return -1 if mid_value != target else mid
if mid_value == target :
return mid
elif target > mid_value:
return self.binary_search(array,mid,high,target)
else:
return self.binary_search(array,low,mid,target)
if __name__ == '__main__':
re = Solution().search([4,5,6,1,2,3],4)
print(re)
|
class Solution(object):
def search(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: int
"""
if not nums:
return -1
lo = 0
hi = len(nums) - 1
old_size = len(nums)
if nums[lo] <= nums[hi]:
return self.binary_search(nums, lo, hi + 1, target)
else:
while nums[lo] > nums[hi]:
lo = hi
hi -= 1
nums += nums[:hi + 1]
re = self.binary_search(nums, lo, len(nums), target)
return re - old_size if re >= old_size else re
def binary_search(self, array, low, high, target):
"""
low: dtype int, index of lowest int
high: dtype int, index of highest int
target: dtype int, the int we search for
this function is a normal binary search function
O(log(n))
"""
mid = low + (high - low) // 2
mid_value = array[mid]
if low + 1 >= high:
return -1 if mid_value != target else mid
if mid_value == target:
return mid
elif target > mid_value:
return self.binary_search(array, mid, high, target)
else:
return self.binary_search(array, low, mid, target)
if __name__ == '__main__':
re = solution().search([4, 5, 6, 1, 2, 3], 4)
print(re)
|
a = [1,2,3]
print(a)
a.append(5)
print(a)
list1=[1,2,3,4,5]
list2=['rambutan','langsa','salak','durian','apel']
list1.extend(list2)
c = [1,2,3]
print(c)
c.insert(0,12)
print(c)
### Perbedaan antara fungsi Append,extend,dan insert
# append berfungsi untuk menambahkan elemen ke daftar
# extend berfungsi untuk memperpanjang daftar dengan menambahkan elemen dari iterable
# insert berfungsi untuk menyisipkan data baru di tengah araay list
## fungsi reverse dan sort
# fungsi reversed() berfungsi untuk menghasilkan iterator yang berisi kembalikan dari suatu sequence sedangkan sort berfungsi untuk mengurutkan suatu iterabel baik secara naik maupun turun
### contoh kodenya dari reverse
def reverse(string):
reverse_string = ""
for i in string:
reverse_string = i+reversed_string
print("reversed string is:",reversed_string)
string = input("enter a string:")
print("enterd string",string)
reverse(string)
### contoh kode dari sort
pylist = ['e','a','u','i','o']
word = 'python'
print(sorted(pylist))
print(sorted(word))
print(sorted(pylist, reverse=True))
def takesecond(elem):
return elem[1]
random = [(2,2), (3,4), (4,1), (1,3)]
sortedlist = sorted(random, key
=takesecond)
print('sorted list:', sortedlist)
|
a = [1, 2, 3]
print(a)
a.append(5)
print(a)
list1 = [1, 2, 3, 4, 5]
list2 = ['rambutan', 'langsa', 'salak', 'durian', 'apel']
list1.extend(list2)
c = [1, 2, 3]
print(c)
c.insert(0, 12)
print(c)
def reverse(string):
reverse_string = ''
for i in string:
reverse_string = i + reversed_string
print('reversed string is:', reversed_string)
string = input('enter a string:')
print('enterd string', string)
reverse(string)
pylist = ['e', 'a', 'u', 'i', 'o']
word = 'python'
print(sorted(pylist))
print(sorted(word))
print(sorted(pylist, reverse=True))
def takesecond(elem):
return elem[1]
random = [(2, 2), (3, 4), (4, 1), (1, 3)]
sortedlist = sorted(random, key=takesecond)
print('sorted list:', sortedlist)
|
# Definition for a binary tree node.
# class TreeNode:
# def __init__(self, val=0, left=None, right=None):
# self.val = val
# self.left = left
# self.right = right
class Solution:
def averageOfLevels(self, root: TreeNode) -> List[float]:
queue, levelsData, result = deque([(root, 0)]), defaultdict(lambda : (0, 0)), []
while queue:
node, level = queue.popleft()
if node:
currentSum, currentCount = levelsData[level]
currentSum += node.val
currentCount += 1
levelsData[level] = (currentSum, currentCount)
if node.left:
queue.append((node.left, level + 1))
if node.right:
queue.append((node.right, level + 1))
for key in sorted(levelsData.keys()):
result.append(levelsData[key][0] / levelsData[key][1])
return result
|
class Solution:
def average_of_levels(self, root: TreeNode) -> List[float]:
(queue, levels_data, result) = (deque([(root, 0)]), defaultdict(lambda : (0, 0)), [])
while queue:
(node, level) = queue.popleft()
if node:
(current_sum, current_count) = levelsData[level]
current_sum += node.val
current_count += 1
levelsData[level] = (currentSum, currentCount)
if node.left:
queue.append((node.left, level + 1))
if node.right:
queue.append((node.right, level + 1))
for key in sorted(levelsData.keys()):
result.append(levelsData[key][0] / levelsData[key][1])
return result
|
af = list(b"\x13\x13\x11\x17\x12\x1d\x48\x45\x45\x41\x0b\x26\x2c\x42\x5f\x09\x0b\x5f\x6c\x3d\x56\x56\x1b\x54\x5f\x41\x45\x29\x3c\x0b\x5c\x58\x00\x5f\x5d\x09\x54\x6c\x2a\x40\x06\x06\x6a\x27\x48\x42\x5f\x4b\x56\x42\x2d\x2c\x43\x5d\x5e\x6c\x2d\x41\x07\x47\x43\x5e\x31\x6b\x5a\x0a\x3b\x6e\x1c\x49\x54\x5e\x1a\x2b\x34\x05\x5e\x47\x28\x28\x1f\x11\x26\x3b\x07\x50\x04\x06\x04\x0d\x0b\x05\x03\x48\x77\x0a")
flag = "r"
char = "r"
for stuff in af:
flag += chr(ord(char) ^ stuff)
char = flag[-1]
print(flag)
|
af = list(b"\x13\x13\x11\x17\x12\x1dHEEA\x0b&,B_\t\x0b_l=VV\x1bT_AE)<\x0b\\X\x00_]\tTl*@\x06\x06j'HB_KVB-,C]^l-A\x07GC^1kZ\n;n\x1cIT^\x1a+4\x05^G((\x1f\x11&;\x07P\x04\x06\x04\r\x0b\x05\x03Hw\n")
flag = 'r'
char = 'r'
for stuff in af:
flag += chr(ord(char) ^ stuff)
char = flag[-1]
print(flag)
|
I = input("Enter the string: ")
S = I.upper()
freq = {}
for i in I:
if i != " ":
if i in freq:
freq[i] += 1
else:
freq[i] = 1
print(freq)
|
i = input('Enter the string: ')
s = I.upper()
freq = {}
for i in I:
if i != ' ':
if i in freq:
freq[i] += 1
else:
freq[i] = 1
print(freq)
|
class Solution(object):
def threeSum(self, nums):
"""
:type nums: List[int]
:rtype: List[List[int]]
"""
nums.sort()
res = []
for i,a in enumerate(nums):
# If same as the previous value just continue, already checked
if i>0 and a == nums[i-1]:
continue
# Using left and right pointers
l,r = i+1, len(nums)-1
while l < r:
threeSum = a + nums[l] + nums[r]
if threeSum > 0:
r -= 1
elif threeSum < 0:
l += 1
else:
res.append([a,nums[l],nums[r]])
l += 1
# Making sure that left pointer is not same as its previous value
while nums[l] == nums[l-1] and l<r:
l += 1
return res
# Time Limit Exceed
# res = []
# if len(nums) < 3:
# return res
# nums.sort()
# for i in range(0,len(nums)):
# temp = 0
# for j in range(i+1,len(nums)):
# temp = nums[i] + nums[j]
# temp = temp * -1
# if temp in nums[j+1:]:
# res1 = [nums[i],nums[j],temp]
# if res1 not in res:
# res.append(res1)
# return res
|
class Solution(object):
def three_sum(self, nums):
"""
:type nums: List[int]
:rtype: List[List[int]]
"""
nums.sort()
res = []
for (i, a) in enumerate(nums):
if i > 0 and a == nums[i - 1]:
continue
(l, r) = (i + 1, len(nums) - 1)
while l < r:
three_sum = a + nums[l] + nums[r]
if threeSum > 0:
r -= 1
elif threeSum < 0:
l += 1
else:
res.append([a, nums[l], nums[r]])
l += 1
while nums[l] == nums[l - 1] and l < r:
l += 1
return res
|
# -*- coding: utf-8 -*-
"""
Created on Wed Mar 24 22:12:02 2021
@author: Abeg
"""
#all symmetric pair of an array
def symmetricpair(pairs):
s=set()
for (x,y) in pairs:
s.add((x,y))
if (y,x) in s:
print((x,y),"|",((y,x)))
pairs=[(11,20),(30,40),(5,10),(40,30),(10,5)]
print(symmetricpair(pairs),end="")
#repeating element
n=int(input("enter the size"))
arr=[]
for i in range(0,n):
e=int(input())
arr.append(e)
x=list(dict.fromkeys(arr))
for i in x:
if(arr.count(i)>1):
print(i)
#non-repeating element
n=int(input("enter the size"))
arr=[]
for i in range(0,n):
e=int(input())
arr.append(e)
x=list(dict.fromkeys(arr))
for i in x:
if(arr.count(i)==1):
print(i)
#no of even element and odd elemnet in an array
arr=[]
n=int(input())
count1=0
count2=0
for i in range(n):
e=int(input())
arr.append(e)
for i in range(n):
if(arr[i]%2==0):
count1+=1
else:
count2+=1
print("no of even",count1)
print("no of odd is",count2)
#finding min scalarproduct of two vector
arr1=[]
arr2=[]
n=int(input("size of the array"))
for i in range(n):
e=int(input())
arr1.append(e)
for i in range(n):
e=int(input())
arr2.append(e)
list=()
arr1.sort()
arr2.sort(reverse=True)
sum=0
for i in range(0,n):
sum=sum+arr1[i]*arr2[i]
print(sum)
#minimum abs difference of given array
arr=[5,10,1,4,8,7]
n=len(arr)
sum=0
arr.sort()
sum=sum+abs(arr[0]-arr[1])
sum+=abs(arr[n-1]-arr[n-2])
for i in range(1,n-1):
sum+=min(abs(arr[i]-arr[i-1]),abs(arr[i]-arr[i+1]))
print(sum)
#finding max scalarproduct of two vector
arr1=[]
arr2=[]
n=int(input("size of the array"))
for i in range(n):
e=int(input())
arr1.append(e)
for i in range(n):
e=int(input())
arr2.append(e)
list=()
arr1.sort()
arr2.sort()
sum=0
for i in range(0,n):
sum=sum+arr1[i]*arr2[i]
print(sum)
# Function to return maximum product of a sublist of given list
def maxProduct(A):
max_ending = min_ending = 0
max_so_far = 0
for i in A:
temp = max_ending
max_ending = max(i, max(i * max_ending, i * min_ending))
min_ending = min(i, min(i * temp, i * min_ending))
max_so_far = max(max_so_far, max_ending)
return max_so_far
if __name__ == '__main__':
A = [6,-10,-3,0,5]
print("The maximum product of a sublist is", maxProduct(A))
#check frequency of each char
n=int(input("enter the size"))
arr=[]
for i in range(0,n):
e=int(input())
arr.append(e)
x=list(dict.fromkeys(arr))
for i in x:
print("{}occours {} time".format(i,arr.count(i)))
#removing duplicate element prom an array
n=int(input("enter the size"))
arr=[]
for i in range(0,n):
e=int(input())
arr.append(e)
x=list(dict.fromkeys(arr))
print(x)
#distinctelement
n=int(input("enter the size"))
arr=[]
for i in range(0,n):
e=int(input())
arr.append(e)
x=list(dict.fromkeys(arr))
print(x)
print(len(x))
#ARR is disjoint or not
def disjoint(arr1,arr2):
for i in range(0,len(arr1)):
for j in range(0,len(arr2)):
if(arr1[i]==arr2[j]):
return -1
else:
return 1
arr1=[1,2,3,4]
arr2=[1,2,3,4]
res=disjoint(arr1,arr2)
print(res)
if(res==-1):
print("not disjoint")
else:
print("disjoint")
#dtermine array is a subset of anthor array or not
def subset(arr1,arr2,m,n):
i=0
j=0
for i in range(n):
for j in range(m):
if(arr2[i]==arr1[j]):
break
if(j==m):
return 0
return 1
arr1=[1,2,3,4]
arr2=[2,3]
m=len(arr1)
n=len(arr2)
if(subset(arr1,arr2,m,n)):
print("arr2 is a subset of arr1")
else:
print("not")
#rotation from left to right
arr=[10,20,30,40,50]
k=int(input("enter the no of rotation"))
k=k%len(arr)
for i in range(k):
x=arr.pop(-1)
arr.insert(0,x)
print(arr)
#all no array be made equal
def make_equal(arr,n):
for i in range(n):
while(arr[i]%2==0):
arr[i]=arr[i]/2
while(arr[i]%3==0):
arr[i]=arr[i]/3
for i in range(n):
if arr[i]!=arr[0]:
return False
else:
return True
arr=[3,50,75,100]
n=len(arr)
if(make_equal(arr,n)):
print("yes")
else:
print("no")
#sum of dight in the array
def sumarr(arr,n):
for i in range(n):
temp=arr[i]
sum=0
while(temp>0):
d=temp%10
sum=sum+d
temp=temp//10
print(sum,end=" ",sep=" ")
arr=[]
n=int(input("size"))
for i in range(n):
e=int(input())
arr.append(e)
sumarr(arr,n)
#placed all even no followed odd no
# variables
def rearrangeEvenAndOdd(arr, n) :
j = -1
for i in range(0, n) :
if (arr[i] % 2 == 0) :
j = j + 1
temp = arr[i]
arr[i] = arr[j]
arr[j] = temp
n=int(input("fj"))
arr=[]
for i in range(n):
arr.append(int(input()))
rearrangeEvenAndOdd(arr, n)
for i in range(n):
print(arr[i],end=" ",sep=" ")
#array rotation
def leftrotate(arr,d,n):
for i in range(d):
leftrotateone(arr,n)
def leftrotateone(arr,n):
temp=arr[0]
for i in range(n-1):
arr[i]=arr[i+1]
arr[n-1]=temp
arr=[1,2,3,4,5,6]
print(arr)
leftrotate(arr,2,len(arr))
print(arr)
#max Element in an array
def largeelearray(arr):
max=arr[0]
for i in range(0,len(arr)):
if arr[i]>max:
max=arr[i]
else:
max=max
return max
arr=[1,2,3,4]
print(largeelearray(arr))
#recurrent element in an array
def recurr(arr,n):
for i in range(0,n):
for j in range(0,n):
if arr[i]==arr[j+1]:
return arr[i]
else:
return False
arr=[2,5,1,2,3,5,1,2,4]
n=len(arr)
print(recurr(arr,n))
#O(n^2)
#o(1)
#sum of array
def sumarray(arr):
sum=0
for i in range(0,len(arr)):
sum=sum+arr[i]
return sum
arr=[1,2,3,4]
print(sumarray(arr))
#Twosum array
"""
def twosum(arr,target):
outputarr=[]
for i in range(0,len(arr),1):
for j in range(i+1,len(arr),1):
if (arr[j] == target - arr[i]):
outputarr.append(i)
outputarr.append(j)
return outputarr
target=int(input("uju"))
arr=[2,3,4,5]
print(twosum(arr,target))"""
"""
def twosum(arr,target):
outputarr=[]
for i in range(0,len(arr)):
for j in range(i+1,len(arr)):
sum=arr[i]+arr[j]
if sum==target:
outputarr.append(i)
outputarr.append(j)
return outputarr
print(twosum(arr=[2,7,11,15],target=9))"""
|
"""
Created on Wed Mar 24 22:12:02 2021
@author: Abeg
"""
def symmetricpair(pairs):
s = set()
for (x, y) in pairs:
s.add((x, y))
if (y, x) in s:
print((x, y), '|', (y, x))
pairs = [(11, 20), (30, 40), (5, 10), (40, 30), (10, 5)]
print(symmetricpair(pairs), end='')
n = int(input('enter the size'))
arr = []
for i in range(0, n):
e = int(input())
arr.append(e)
x = list(dict.fromkeys(arr))
for i in x:
if arr.count(i) > 1:
print(i)
n = int(input('enter the size'))
arr = []
for i in range(0, n):
e = int(input())
arr.append(e)
x = list(dict.fromkeys(arr))
for i in x:
if arr.count(i) == 1:
print(i)
arr = []
n = int(input())
count1 = 0
count2 = 0
for i in range(n):
e = int(input())
arr.append(e)
for i in range(n):
if arr[i] % 2 == 0:
count1 += 1
else:
count2 += 1
print('no of even', count1)
print('no of odd is', count2)
arr1 = []
arr2 = []
n = int(input('size of the array'))
for i in range(n):
e = int(input())
arr1.append(e)
for i in range(n):
e = int(input())
arr2.append(e)
list = ()
arr1.sort()
arr2.sort(reverse=True)
sum = 0
for i in range(0, n):
sum = sum + arr1[i] * arr2[i]
print(sum)
arr = [5, 10, 1, 4, 8, 7]
n = len(arr)
sum = 0
arr.sort()
sum = sum + abs(arr[0] - arr[1])
sum += abs(arr[n - 1] - arr[n - 2])
for i in range(1, n - 1):
sum += min(abs(arr[i] - arr[i - 1]), abs(arr[i] - arr[i + 1]))
print(sum)
arr1 = []
arr2 = []
n = int(input('size of the array'))
for i in range(n):
e = int(input())
arr1.append(e)
for i in range(n):
e = int(input())
arr2.append(e)
list = ()
arr1.sort()
arr2.sort()
sum = 0
for i in range(0, n):
sum = sum + arr1[i] * arr2[i]
print(sum)
def max_product(A):
max_ending = min_ending = 0
max_so_far = 0
for i in A:
temp = max_ending
max_ending = max(i, max(i * max_ending, i * min_ending))
min_ending = min(i, min(i * temp, i * min_ending))
max_so_far = max(max_so_far, max_ending)
return max_so_far
if __name__ == '__main__':
a = [6, -10, -3, 0, 5]
print('The maximum product of a sublist is', max_product(A))
n = int(input('enter the size'))
arr = []
for i in range(0, n):
e = int(input())
arr.append(e)
x = list(dict.fromkeys(arr))
for i in x:
print('{}occours {} time'.format(i, arr.count(i)))
n = int(input('enter the size'))
arr = []
for i in range(0, n):
e = int(input())
arr.append(e)
x = list(dict.fromkeys(arr))
print(x)
n = int(input('enter the size'))
arr = []
for i in range(0, n):
e = int(input())
arr.append(e)
x = list(dict.fromkeys(arr))
print(x)
print(len(x))
def disjoint(arr1, arr2):
for i in range(0, len(arr1)):
for j in range(0, len(arr2)):
if arr1[i] == arr2[j]:
return -1
else:
return 1
arr1 = [1, 2, 3, 4]
arr2 = [1, 2, 3, 4]
res = disjoint(arr1, arr2)
print(res)
if res == -1:
print('not disjoint')
else:
print('disjoint')
def subset(arr1, arr2, m, n):
i = 0
j = 0
for i in range(n):
for j in range(m):
if arr2[i] == arr1[j]:
break
if j == m:
return 0
return 1
arr1 = [1, 2, 3, 4]
arr2 = [2, 3]
m = len(arr1)
n = len(arr2)
if subset(arr1, arr2, m, n):
print('arr2 is a subset of arr1')
else:
print('not')
arr = [10, 20, 30, 40, 50]
k = int(input('enter the no of rotation'))
k = k % len(arr)
for i in range(k):
x = arr.pop(-1)
arr.insert(0, x)
print(arr)
def make_equal(arr, n):
for i in range(n):
while arr[i] % 2 == 0:
arr[i] = arr[i] / 2
while arr[i] % 3 == 0:
arr[i] = arr[i] / 3
for i in range(n):
if arr[i] != arr[0]:
return False
else:
return True
arr = [3, 50, 75, 100]
n = len(arr)
if make_equal(arr, n):
print('yes')
else:
print('no')
def sumarr(arr, n):
for i in range(n):
temp = arr[i]
sum = 0
while temp > 0:
d = temp % 10
sum = sum + d
temp = temp // 10
print(sum, end=' ', sep=' ')
arr = []
n = int(input('size'))
for i in range(n):
e = int(input())
arr.append(e)
sumarr(arr, n)
def rearrange_even_and_odd(arr, n):
j = -1
for i in range(0, n):
if arr[i] % 2 == 0:
j = j + 1
temp = arr[i]
arr[i] = arr[j]
arr[j] = temp
n = int(input('fj'))
arr = []
for i in range(n):
arr.append(int(input()))
rearrange_even_and_odd(arr, n)
for i in range(n):
print(arr[i], end=' ', sep=' ')
def leftrotate(arr, d, n):
for i in range(d):
leftrotateone(arr, n)
def leftrotateone(arr, n):
temp = arr[0]
for i in range(n - 1):
arr[i] = arr[i + 1]
arr[n - 1] = temp
arr = [1, 2, 3, 4, 5, 6]
print(arr)
leftrotate(arr, 2, len(arr))
print(arr)
def largeelearray(arr):
max = arr[0]
for i in range(0, len(arr)):
if arr[i] > max:
max = arr[i]
else:
max = max
return max
arr = [1, 2, 3, 4]
print(largeelearray(arr))
def recurr(arr, n):
for i in range(0, n):
for j in range(0, n):
if arr[i] == arr[j + 1]:
return arr[i]
else:
return False
arr = [2, 5, 1, 2, 3, 5, 1, 2, 4]
n = len(arr)
print(recurr(arr, n))
def sumarray(arr):
sum = 0
for i in range(0, len(arr)):
sum = sum + arr[i]
return sum
arr = [1, 2, 3, 4]
print(sumarray(arr))
'\ndef twosum(arr,target):\n outputarr=[]\n for i in range(0,len(arr),1):\n for j in range(i+1,len(arr),1):\n if (arr[j] == target - arr[i]):\n outputarr.append(i)\n outputarr.append(j)\n return outputarr\ntarget=int(input("uju"))\narr=[2,3,4,5]\nprint(twosum(arr,target))'
'\ndef twosum(arr,target):\n outputarr=[]\n for i in range(0,len(arr)):\n for j in range(i+1,len(arr)):\n sum=arr[i]+arr[j]\n if sum==target:\n outputarr.append(i)\n outputarr.append(j)\n return outputarr\nprint(twosum(arr=[2,7,11,15],target=9))'
|
# exc. 7.2.4
def seven_boom(end_number):
my_list = []
for i in range(0, end_number + 1):
s = str(i)
if '7' in s or i % 7 == 0:
my_list += ['BOOM']
else:
my_list += [i]
print(my_list)
def main():
end_number = 17
seven_boom(end_number)
if __name__ == "__main__":
main()
|
def seven_boom(end_number):
my_list = []
for i in range(0, end_number + 1):
s = str(i)
if '7' in s or i % 7 == 0:
my_list += ['BOOM']
else:
my_list += [i]
print(my_list)
def main():
end_number = 17
seven_boom(end_number)
if __name__ == '__main__':
main()
|
"""Format a number with grouped thousands.
Number will be formatted with a comma separator between every group of thousands.
Source: cup
"""
# Implementation author: cup
# Created on 2018-09-17T20:09:08.888749Z
# Last modified on 2018-09-17T20:09:08.888749Z
# Version 1
print("f'{1000:,}'")
|
"""Format a number with grouped thousands.
Number will be formatted with a comma separator between every group of thousands.
Source: cup
"""
print("f'{1000:,}'")
|
def main():
# input
N, K = map(int, input().split())
# compute
def twoN(a: int):
if a%200 == 0:
a = int(a/200)
else:
a = int(str(a) + "200")
return a
for i in range(K):
N = twoN(N)
# output
print(N)
if __name__ == '__main__':
main()
|
def main():
(n, k) = map(int, input().split())
def two_n(a: int):
if a % 200 == 0:
a = int(a / 200)
else:
a = int(str(a) + '200')
return a
for i in range(K):
n = two_n(N)
print(N)
if __name__ == '__main__':
main()
|
def increment_by_one(x):
return x + 1
def test_increment_by_one():
assert increment_by_one(3) == 4
|
def increment_by_one(x):
return x + 1
def test_increment_by_one():
assert increment_by_one(3) == 4
|
class CTDConfig(object):
def __init__(self, createStationPlot,
createTSPlot,
createContourPlot,
createTimeseriesPlot,
binDataWriteToNetCDF,
describeStation,
createHistoricalTimeseries,
showStats,
plotStationMap,
tempName,
saltName,
oxName,
ftuName,
oxsatName,
refdate,
selected_depths,
write_to_excel,
survey=None,
conductivity_to_salinity=False,
calculate_depth_from_pressure=False,
debug=False):
self.createStationPlot = createStationPlot
self.createTSPlot = createTSPlot
self.createContourPlot = createContourPlot
self.createTimeseriesPlot = createTimeseriesPlot
self.binDataWriteToNetCDF = binDataWriteToNetCDF
self.describeStation = describeStation
self.showStats = showStats
self.plotStationMap = plotStationMap
self.useDowncast = None
self.tempName = tempName
self.saltName = saltName
self.oxName = oxName
self.ftuName = ftuName
self.oxsatName = oxsatName
self.refdate = refdate
self.calculate_depth_from_pressure = calculate_depth_from_pressure
self.conductivity_to_salinity = conductivity_to_salinity
self.debug=debug
self.survey=survey
self.write_to_excel=write_to_excel
self.projectname=None
self.selected_depths=selected_depths
self.mgperliter_to_mlperliter=0.7
self.createHistoricalTimeseries=createHistoricalTimeseries
|
class Ctdconfig(object):
def __init__(self, createStationPlot, createTSPlot, createContourPlot, createTimeseriesPlot, binDataWriteToNetCDF, describeStation, createHistoricalTimeseries, showStats, plotStationMap, tempName, saltName, oxName, ftuName, oxsatName, refdate, selected_depths, write_to_excel, survey=None, conductivity_to_salinity=False, calculate_depth_from_pressure=False, debug=False):
self.createStationPlot = createStationPlot
self.createTSPlot = createTSPlot
self.createContourPlot = createContourPlot
self.createTimeseriesPlot = createTimeseriesPlot
self.binDataWriteToNetCDF = binDataWriteToNetCDF
self.describeStation = describeStation
self.showStats = showStats
self.plotStationMap = plotStationMap
self.useDowncast = None
self.tempName = tempName
self.saltName = saltName
self.oxName = oxName
self.ftuName = ftuName
self.oxsatName = oxsatName
self.refdate = refdate
self.calculate_depth_from_pressure = calculate_depth_from_pressure
self.conductivity_to_salinity = conductivity_to_salinity
self.debug = debug
self.survey = survey
self.write_to_excel = write_to_excel
self.projectname = None
self.selected_depths = selected_depths
self.mgperliter_to_mlperliter = 0.7
self.createHistoricalTimeseries = createHistoricalTimeseries
|
class Solution:
def twoSum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
i, j = 0, 0
for i, n in enumerate(nums):
a = target - n
# print('i = ',i,'n = ',n)
# print('a = ',a)
for j, m in enumerate(nums[i+1:], start=i+1):
# print('j = ',j,'m = ',m)
if m == a:
return [i, j]
return [i, j]
class Solution2:
def twoSum(self, nums, target):
if len(nums) < 2:
return []
m = {} # val:idx
for i in range(len(nums)):
t = target - nums[i]
if t in m:
return [m[t], i]
m[nums[i]] = i
# print(m)
return []
if __name__ == "__main__":
# nums = [2, 7, 11, 15]
# nums = [3, 2, 4]
nums = [1, 3, 2, 3]
target = 6
print(Solution2().twoSum(nums, target))
|
class Solution:
def two_sum(self, nums, target):
"""
:type nums: List[int]
:type target: int
:rtype: List[int]
"""
(i, j) = (0, 0)
for (i, n) in enumerate(nums):
a = target - n
for (j, m) in enumerate(nums[i + 1:], start=i + 1):
if m == a:
return [i, j]
return [i, j]
class Solution2:
def two_sum(self, nums, target):
if len(nums) < 2:
return []
m = {}
for i in range(len(nums)):
t = target - nums[i]
if t in m:
return [m[t], i]
m[nums[i]] = i
return []
if __name__ == '__main__':
nums = [1, 3, 2, 3]
target = 6
print(solution2().twoSum(nums, target))
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.