content
stringlengths
7
1.05M
fixed_cases
stringlengths
1
1.28M
# Another way to access private members class Student: def __init__(self,name,age): self.__name=name self.__age=age def display(self): print('Name',self.__name,' Age',self.__age) def setName(self,name): self._Student__name=name #self. _ ClassName _ _ attributeName st=Student('Boruto',12) st.display() st.__name='Naruto' # Doesn't change the value st.display() st.setName('Naruto') # Changes the value st.display()
class Student: def __init__(self, name, age): self.__name = name self.__age = age def display(self): print('Name', self.__name, ' Age', self.__age) def set_name(self, name): self._Student__name = name st = student('Boruto', 12) st.display() st.__name = 'Naruto' st.display() st.setName('Naruto') st.display()
# Stairway to the Sky II (200010300) => Eliza's Garden calmEliza = 3112 garden = 920020000 if sm.hasQuest(calmEliza) or sm.hasQuestCompleted(calmEliza): sm.warp(garden) else: sm.chat("Eliza's rage is still permeating the garden. Calm him down first.")
calm_eliza = 3112 garden = 920020000 if sm.hasQuest(calmEliza) or sm.hasQuestCompleted(calmEliza): sm.warp(garden) else: sm.chat("Eliza's rage is still permeating the garden. Calm him down first.")
print("Zakres = <0,50>") for i in range (50): if(i%5==0): print(i)
print('Zakres = <0,50>') for i in range(50): if i % 5 == 0: print(i)
#!/usr/bin/env python NAME = 'Incapsula (Imperva Inc.)' def is_waf(self): if self.matchcookie(r'^incap_ses.*='): return True if self.matchcookie(r'^visid_incap.*='): return True for attack in self.attacks: r = attack(self) if r is None: return _, responsepage = r if any(a in responsepage for a in (b"Incapsula incident ID:", b"/_Incapsula_Resource")): return True return False
name = 'Incapsula (Imperva Inc.)' def is_waf(self): if self.matchcookie('^incap_ses.*='): return True if self.matchcookie('^visid_incap.*='): return True for attack in self.attacks: r = attack(self) if r is None: return (_, responsepage) = r if any((a in responsepage for a in (b'Incapsula incident ID:', b'/_Incapsula_Resource'))): return True return False
def translate(phrase): translation = "" for letter in phrase: if letter in "AEIOUaeiou": translation = translation + "g" else: translation = translation + letter return translation print(translate(input("Enter a phrase: ")))
def translate(phrase): translation = '' for letter in phrase: if letter in 'AEIOUaeiou': translation = translation + 'g' else: translation = translation + letter return translation print(translate(input('Enter a phrase: ')))
#implementation of Queue in python3 class Queue: #initialisation of queue def __init__(self): self.queue = [] #add an element def enqueue(self,item): self.queue.append(item) #remove an element def dequeue(self): if len(self.queue)<1: return None else: return self.queue.pop(0) #display the queue def display(self): print(self.queue) #return the size def size(self): return len(self.queue) #main #creating an instance q=Queue() #enqueueing the numbers by looping in for method for i in range(10): q.enqueue(i) #display of the Queue q.display() #appling dequeueing on the queue q.dequeue() print("After removing an element") q.display() #creating another instance tasks=Queue() #adding tasks into the task-scheduling tasks.enqueue('Read the book "How to read a book!?"') tasks.enqueue('Watch the movie "how to learn JAVA in a day!"') tasks.enqueue('Program your pc to auto-upload the assignments to Moodle') #view all the tasks tasks.display() #to check which task is first ? print("The task you need to do now is : ",str(tasks.dequeue())) #if first task is cleared,what next? tasks.display() #to check what to do next print("The task you need to do now is : ",str(tasks.dequeue())) #check the remaining tasks tasks.display() #to check what next print("The task you need to do now is : ",str(tasks.dequeue())) #to check anything if there is any tasks.display()
class Queue: def __init__(self): self.queue = [] def enqueue(self, item): self.queue.append(item) def dequeue(self): if len(self.queue) < 1: return None else: return self.queue.pop(0) def display(self): print(self.queue) def size(self): return len(self.queue) q = queue() for i in range(10): q.enqueue(i) q.display() q.dequeue() print('After removing an element') q.display() tasks = queue() tasks.enqueue('Read the book "How to read a book!?"') tasks.enqueue('Watch the movie "how to learn JAVA in a day!"') tasks.enqueue('Program your pc to auto-upload the assignments to Moodle') tasks.display() print('The task you need to do now is : ', str(tasks.dequeue())) tasks.display() print('The task you need to do now is : ', str(tasks.dequeue())) tasks.display() print('The task you need to do now is : ', str(tasks.dequeue())) tasks.display()
# File: malwarebazaar_consts.py # # Copyright (c) 2021 Splunk Inc. # # Licensed under Apache 2.0 (https://www.apache.org/licenses/LICENSE-2.0.txt) # Define your constants here ERR_CODE_MSG = "Error code unavailable" ERR_MSG_UNAVAILABLE = "Error message unavailable. Please check the asset configuration and|or action parameters" PARSE_ERR_MSG = "Unable to parse the error message. Please check the asset configuration and|or action parameters" SERVER_RESPONSE_PARSE_ERR_MSG = "Couldn't parse response from the server" SERVER_RESPONSE_MSG = "Response from the server: {}"
err_code_msg = 'Error code unavailable' err_msg_unavailable = 'Error message unavailable. Please check the asset configuration and|or action parameters' parse_err_msg = 'Unable to parse the error message. Please check the asset configuration and|or action parameters' server_response_parse_err_msg = "Couldn't parse response from the server" server_response_msg = 'Response from the server: {}'
def diff_a(a, b): return list(set(a) - set(b)) + list(set(b) - set(a)) def diff_b(lists): x = [list(set(i) - set(j)) for i in lists for j in lists] return list(set([item for sublist in x for item in sublist])) def main(): a = [1, 2, 3] b = [1, 2, 5, 4] c = [1, 3, 5, 6] print(diff_a(a, b)) # [3, 5, 4] print(diff_b([a, b, c])) # [2, 3, 4, 5, 6] if __name__ == '__main__': main()
def diff_a(a, b): return list(set(a) - set(b)) + list(set(b) - set(a)) def diff_b(lists): x = [list(set(i) - set(j)) for i in lists for j in lists] return list(set([item for sublist in x for item in sublist])) def main(): a = [1, 2, 3] b = [1, 2, 5, 4] c = [1, 3, 5, 6] print(diff_a(a, b)) print(diff_b([a, b, c])) if __name__ == '__main__': main()
kb = 1.381e-23 R = 11e-9 T = 25 e_rheo = 10 def getD(eta, err=0): dD = 0 D = kb * (T + 273.15) / (6 * np.pi * R * eta) if err: dD = D * err / eta return D, dD def geteta(D, err=0): deta = 0 eta = kb * (T + 273.15) / (6 * np.pi * R * D * 1e-18) if err: deta = eta * err / D return eta, deta fig, ax = plt.subplots(2, 2, figsize=(9, 8)) ax = ax.ravel() cmap = plt.get_cmap("Set1") qp = np.arange(nq) qvn = qv[qp] * 10 qvn2 = qvn ** 2 x = np.linspace(np.min(qvn), np.max(qvn), 100) x2 = x * x # -------plot decay rates-------- for i in range(2): y = 1 / rates[qp, 1 + 3 * i, 0] dy = y ** 2 * rates[qp, 1 + 3 * i, 1] ax[0].errorbar( qvn2[qp], y, dy, fmt="o", color=cmap(i), alpha=0.6, label=r"$\Gamma_{}$".format(i), ) nfl = [np.arange(9)] if i == 0: nfl.append(np.arange(11, 16)) qp = np.arange(9) if i == 1: continue for nf in nfl: nf = np.delete(nf, np.where(rates[nf, 1, 1] == 0)) D_mc, b_mc = emceefit_sl(qvn2[nf], y[nf], dy[nf])[:2] D_mc, b_mc = map(lambda x: (x[0], np.mean(x[1:])), [D_mc, b_mc]) popt, pcov = np.polyfit(qvn2[nf], y[nf], 1, w=1 / dy[nf], cov=1) perr = np.sqrt(np.diag(pcov)) D_exp, b_exp = (popt[0], perr[0]), (popt[1], perr[1]) y_dif = y[nf] / qvn2[nf] dy_dif = dy[nf] / qvn2[nf] D_dif = ( np.sum(y_dif / dy_dif ** 2) / np.sum(1 / dy_dif ** 2), np.sqrt(1 / np.sum(1 / dy_dif ** 2)), ) e_dif = geteta(*D_dif) e_exp = geteta(*D_exp) e_mle = geteta(*D_mc) D_rheo = getD(e_rheo) ax[0].plot(x2, np.polyval(popt, x2), color=cmap(i)) # ax[0].plot(x2, np.polyval([D_dif[0],0],x2), color='gray') print("\nResults for {} decay:".format(i + 1)) print("-" * 20) print("D_rheo = {:.2f} nm2s-1".format(D_rheo[0] * 1e18)) print(r"D_exp = {:.2f} +/- {:.2f} nm2s-1".format(*D_exp)) print(r"b_exp = {:.2f} +/- {:.2f} s-1".format(*b_exp)) print(r"D_mle = {:.4f} +/- {:.4f} nm2s-1".format(*D_mc)) print(r"b_mle = {:.4f} +/- {:.4f} s-1".format(*b_mc)) print(r"D_dif = {:.2f} +/- {:.2f} nm2s-1".format(*D_dif)) print("\neta_rheo = {:.2f} Pas".format(e_rheo)) print(r"eta_exp = {:.2f} +/- {:.2f} Pas".format(*e_exp)) print(r"eta_mle = {:.4f} +/- {:.4f} Pas".format(*e_mle)) print(r"eta_dif = {:.2f} +/- {:.2f} Pas".format(*e_dif)) # -------plot KWW exponent-------- qp = np.arange(nq) g = rates[qp, 2, 0] dg = rates[qp, 2, 1] ax[2].errorbar( qvn, g, dg, fmt="o", color=cmap(0), alpha=0.6, label=r"$\gamma_{}$".format(0) ) qp = np.arange(9) g = rates[qp, 5, 0] dg = rates[qp, 5, 1] ax[2].errorbar( qvn[qp], g, dg, fmt="s", color=cmap(1), alpha=0.6, label=r"$\gamma_{}$".format(1) ) # -------plot nonergodicity parameter-------- def blc(q, L, k, lc): def A(q): return 4 * np.pi / lc * q / k * np.sqrt(1 - q ** 2 / (4 * k ** 2)) return 2 * (A(q) * L - 1 + np.exp(-A(q) * L)) / (A(q) * L) ** 2 b = np.sum(rates[:, 3::3, 0], 1) db = np.sum(rates[:, 3::3, 1], 1) ax[1].errorbar(qvn2, b, db, fmt="o", color=cmap(0), alpha=0.6, label=r"$f_0(q)$") nf = np.arange(8) nf = np.delete(nf, np.where(rates[nf, 1, 1] == 0)) y = np.log(b[nf]) dy = db[nf] / b[nf] popt1, cov1 = np.polyfit(qvn2[nf], y, 1, w=1 / dy, cov=1) cov1 = np.sqrt(np.diag(cov1))[0] ax[1].plot(x2, exp(np.polyval(popt1, x2)), "-", color=cmap(0)) # label=r'${:.3g}\, \exp{{(-q^2\cdot{:.3g}nm^{{2}})}}$'.format(np.exp(popt1[1]),-1*popt1[0])) # ---- b = rates[qp, 6, 0] db = rates[qp, 6, 1] ax[1].errorbar(qvn2[qp], b, db, fmt="s", color=cmap(1), alpha=0.6, label=r"$f_1(q)$") # ---- y_th = exp(popt[1]) * blc(x, 1e-5, 2 * np.pi / (12.4 / 21 / 10), 1e-6) y = np.mean(cnorm[2 : nq + 2, 1:6], 1) dy = np.std(cnorm[2 : nq + 2, 1:6], 1) ax[1].errorbar(qvn2, y, dy, fmt="o", color="k", alpha=0.6, label=r"$\beta_0(q)$") popt2, cov2 = np.polyfit(qvn2, np.log(y), 1, w=y / dy, cov=1) cov2 = np.sqrt(np.diag(cov2))[0] ax[1].plot(x2, exp(np.polyval(popt2, x2)), "-", color="k") # ax[1].legend(loc=3) x_labels = ax[1].get_xticks() ax[1].xaxis.set_major_formatter(ticker.FormatStrFormatter("%0.0g")) c = popt2[0] - popt1[0] r_loc = np.sqrt(6 * (c) / 2) dr_loc = 3 / 2 / r_loc * np.sqrt(cov1 ** 2 + cov2 ** 2) print("\n\nlocalization length: {:.2f} +/- {:.2f} nm".format(r_loc, dr_loc)) # set style ax[0].set_xlabel(r"$\mathrm{q}^2$ [$\mathrm{nm}^{-2}]$") ax[0].set_ylabel(r"$\Gamma [s^{-1}]$") ax[2].set_xlabel(r"$\mathrm{q}$ [$\mathrm{nm}^{-1}]$") ax[2].set_ylabel(r"KWW exponent") ax[1].set_yscale("log") ax[1].set_xlabel(r"$\mathrm{q}^2$ [$\mathrm{nm}^{-2}]$") ax[1].set_ylabel(r"contrast") for axi in ax: axi.legend(loc="best") # niceplot(axi) plt.tight_layout() plt.savefig("um2018/cfpars1.eps")
kb = 1.381e-23 r = 1.1e-08 t = 25 e_rheo = 10 def get_d(eta, err=0): d_d = 0 d = kb * (T + 273.15) / (6 * np.pi * R * eta) if err: d_d = D * err / eta return (D, dD) def geteta(D, err=0): deta = 0 eta = kb * (T + 273.15) / (6 * np.pi * R * D * 1e-18) if err: deta = eta * err / D return (eta, deta) (fig, ax) = plt.subplots(2, 2, figsize=(9, 8)) ax = ax.ravel() cmap = plt.get_cmap('Set1') qp = np.arange(nq) qvn = qv[qp] * 10 qvn2 = qvn ** 2 x = np.linspace(np.min(qvn), np.max(qvn), 100) x2 = x * x for i in range(2): y = 1 / rates[qp, 1 + 3 * i, 0] dy = y ** 2 * rates[qp, 1 + 3 * i, 1] ax[0].errorbar(qvn2[qp], y, dy, fmt='o', color=cmap(i), alpha=0.6, label='$\\Gamma_{}$'.format(i)) nfl = [np.arange(9)] if i == 0: nfl.append(np.arange(11, 16)) qp = np.arange(9) if i == 1: continue for nf in nfl: nf = np.delete(nf, np.where(rates[nf, 1, 1] == 0)) (d_mc, b_mc) = emceefit_sl(qvn2[nf], y[nf], dy[nf])[:2] (d_mc, b_mc) = map(lambda x: (x[0], np.mean(x[1:])), [D_mc, b_mc]) (popt, pcov) = np.polyfit(qvn2[nf], y[nf], 1, w=1 / dy[nf], cov=1) perr = np.sqrt(np.diag(pcov)) (d_exp, b_exp) = ((popt[0], perr[0]), (popt[1], perr[1])) y_dif = y[nf] / qvn2[nf] dy_dif = dy[nf] / qvn2[nf] d_dif = (np.sum(y_dif / dy_dif ** 2) / np.sum(1 / dy_dif ** 2), np.sqrt(1 / np.sum(1 / dy_dif ** 2))) e_dif = geteta(*D_dif) e_exp = geteta(*D_exp) e_mle = geteta(*D_mc) d_rheo = get_d(e_rheo) ax[0].plot(x2, np.polyval(popt, x2), color=cmap(i)) print('\nResults for {} decay:'.format(i + 1)) print('-' * 20) print('D_rheo = {:.2f} nm2s-1'.format(D_rheo[0] * 1e+18)) print('D_exp = {:.2f} +/- {:.2f} nm2s-1'.format(*D_exp)) print('b_exp = {:.2f} +/- {:.2f} s-1'.format(*b_exp)) print('D_mle = {:.4f} +/- {:.4f} nm2s-1'.format(*D_mc)) print('b_mle = {:.4f} +/- {:.4f} s-1'.format(*b_mc)) print('D_dif = {:.2f} +/- {:.2f} nm2s-1'.format(*D_dif)) print('\neta_rheo = {:.2f} Pas'.format(e_rheo)) print('eta_exp = {:.2f} +/- {:.2f} Pas'.format(*e_exp)) print('eta_mle = {:.4f} +/- {:.4f} Pas'.format(*e_mle)) print('eta_dif = {:.2f} +/- {:.2f} Pas'.format(*e_dif)) qp = np.arange(nq) g = rates[qp, 2, 0] dg = rates[qp, 2, 1] ax[2].errorbar(qvn, g, dg, fmt='o', color=cmap(0), alpha=0.6, label='$\\gamma_{}$'.format(0)) qp = np.arange(9) g = rates[qp, 5, 0] dg = rates[qp, 5, 1] ax[2].errorbar(qvn[qp], g, dg, fmt='s', color=cmap(1), alpha=0.6, label='$\\gamma_{}$'.format(1)) def blc(q, L, k, lc): def a(q): return 4 * np.pi / lc * q / k * np.sqrt(1 - q ** 2 / (4 * k ** 2)) return 2 * (a(q) * L - 1 + np.exp(-a(q) * L)) / (a(q) * L) ** 2 b = np.sum(rates[:, 3::3, 0], 1) db = np.sum(rates[:, 3::3, 1], 1) ax[1].errorbar(qvn2, b, db, fmt='o', color=cmap(0), alpha=0.6, label='$f_0(q)$') nf = np.arange(8) nf = np.delete(nf, np.where(rates[nf, 1, 1] == 0)) y = np.log(b[nf]) dy = db[nf] / b[nf] (popt1, cov1) = np.polyfit(qvn2[nf], y, 1, w=1 / dy, cov=1) cov1 = np.sqrt(np.diag(cov1))[0] ax[1].plot(x2, exp(np.polyval(popt1, x2)), '-', color=cmap(0)) b = rates[qp, 6, 0] db = rates[qp, 6, 1] ax[1].errorbar(qvn2[qp], b, db, fmt='s', color=cmap(1), alpha=0.6, label='$f_1(q)$') y_th = exp(popt[1]) * blc(x, 1e-05, 2 * np.pi / (12.4 / 21 / 10), 1e-06) y = np.mean(cnorm[2:nq + 2, 1:6], 1) dy = np.std(cnorm[2:nq + 2, 1:6], 1) ax[1].errorbar(qvn2, y, dy, fmt='o', color='k', alpha=0.6, label='$\\beta_0(q)$') (popt2, cov2) = np.polyfit(qvn2, np.log(y), 1, w=y / dy, cov=1) cov2 = np.sqrt(np.diag(cov2))[0] ax[1].plot(x2, exp(np.polyval(popt2, x2)), '-', color='k') x_labels = ax[1].get_xticks() ax[1].xaxis.set_major_formatter(ticker.FormatStrFormatter('%0.0g')) c = popt2[0] - popt1[0] r_loc = np.sqrt(6 * c / 2) dr_loc = 3 / 2 / r_loc * np.sqrt(cov1 ** 2 + cov2 ** 2) print('\n\nlocalization length: {:.2f} +/- {:.2f} nm'.format(r_loc, dr_loc)) ax[0].set_xlabel('$\\mathrm{q}^2$ [$\\mathrm{nm}^{-2}]$') ax[0].set_ylabel('$\\Gamma [s^{-1}]$') ax[2].set_xlabel('$\\mathrm{q}$ [$\\mathrm{nm}^{-1}]$') ax[2].set_ylabel('KWW exponent') ax[1].set_yscale('log') ax[1].set_xlabel('$\\mathrm{q}^2$ [$\\mathrm{nm}^{-2}]$') ax[1].set_ylabel('contrast') for axi in ax: axi.legend(loc='best') plt.tight_layout() plt.savefig('um2018/cfpars1.eps')
class SetOfStacks(object): def __init__(self, capacity=10): self.stack_set = [[]] self.cur = 0 self.capacity = capacity def push(self, val): if len(self.stack_set[self.cur]) >= self.capacity: self.stack_set.append([]) self.cur += 1 self.stack_set[self.cur].append(val) def pop(self, index=None): if index is None: index = self.cur val = None if len(self.stack_set[index]) > 0: val = self.stack_set[index].pop() if len(self.stack_set[index]) == 0 and self.cur > 0: self.stack_set.pop(index) self.cur -= 1 return val def pop_at(self, index): if type(index) is int and index >= 0 and index <= self.cur: return self.pop(index) if __name__ == "__main__": s = SetOfStacks() assert s.cur == 0 for i in range(30): s.push(i) assert s.cur == 2 for i in [19, 18, 17, 16, 15, 14, 13, 12, 11, 10]: assert s.pop_at(1) == i assert s.cur == 1 assert s.pop() == 29
class Setofstacks(object): def __init__(self, capacity=10): self.stack_set = [[]] self.cur = 0 self.capacity = capacity def push(self, val): if len(self.stack_set[self.cur]) >= self.capacity: self.stack_set.append([]) self.cur += 1 self.stack_set[self.cur].append(val) def pop(self, index=None): if index is None: index = self.cur val = None if len(self.stack_set[index]) > 0: val = self.stack_set[index].pop() if len(self.stack_set[index]) == 0 and self.cur > 0: self.stack_set.pop(index) self.cur -= 1 return val def pop_at(self, index): if type(index) is int and index >= 0 and (index <= self.cur): return self.pop(index) if __name__ == '__main__': s = set_of_stacks() assert s.cur == 0 for i in range(30): s.push(i) assert s.cur == 2 for i in [19, 18, 17, 16, 15, 14, 13, 12, 11, 10]: assert s.pop_at(1) == i assert s.cur == 1 assert s.pop() == 29
class Coordenada: def __init__(self,x,y): self.x = x self.y = y def distancia(self, otra_coordenada): x_diff = (self.x - otra_coordenada.x)**2 y_diff = (self.y - otra_coordenada.y)**2 return(x_diff + y_diff)**(1/2) if __name__ == '__main__': coord1 = Coordenada(3,30) coord2 = Coordenada(4,8) #print(coord1.distancia(coord2)) print(isinstance(coord2,Coordenada)) # permite verificar si una instancia pertenece a una clase
class Coordenada: def __init__(self, x, y): self.x = x self.y = y def distancia(self, otra_coordenada): x_diff = (self.x - otra_coordenada.x) ** 2 y_diff = (self.y - otra_coordenada.y) ** 2 return (x_diff + y_diff) ** (1 / 2) if __name__ == '__main__': coord1 = coordenada(3, 30) coord2 = coordenada(4, 8) print(isinstance(coord2, Coordenada))
n = 15 # change the value to chenge the size print() for i in range(0, n): print('*'*(i+1),end='') print(' '*(n - i),end='') print(' '*(n - i - 1),end='') print('*'*(i + 1),end='') print('*'*(i),end='') print(' '*(n - i),end='') print(' '*(n - i - 1),end='') print('*'*(i + 1),end='') print()
n = 15 print() for i in range(0, n): print('*' * (i + 1), end='') print(' ' * (n - i), end='') print(' ' * (n - i - 1), end='') print('*' * (i + 1), end='') print('*' * i, end='') print(' ' * (n - i), end='') print(' ' * (n - i - 1), end='') print('*' * (i + 1), end='') print()
# page 100 // homework 2021-01-07 # amended TASK: # - progam that set total to 100 # - loop 3 times total = 100 count = 0 # loop 3 times: while count < 3: number = input("enter a number: ") number = int(number) total -= number # shorter form of 'total = total - number' count += 1 #shorter form of 'count = count +1' # print variables inside the loop: print("count: ", count) print("total:", total) # print total after while loop
total = 100 count = 0 while count < 3: number = input('enter a number: ') number = int(number) total -= number count += 1 print('count: ', count) print('total:', total)
# # PySNMP MIB module SWITCHING-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/SWITCHING-MIB # Produced by pysmi-0.3.4 at Mon Apr 29 21:05:43 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, Integer, ObjectIdentifier = mibBuilder.importSymbols("ASN1", "OctetString", "Integer", "ObjectIdentifier") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ValueRangeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint") IANAifType, = mibBuilder.importSymbols("IANAifType-MIB", "IANAifType") InterfaceIndexOrZero, InterfaceIndex, ifIndex = mibBuilder.importSymbols("IF-MIB", "InterfaceIndexOrZero", "InterfaceIndex", "ifIndex") InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType") Ipv6AddressPrefix, Ipv6Address = mibBuilder.importSymbols("IPV6-TC", "Ipv6AddressPrefix", "Ipv6Address") VlanId, dot1qFdbId, VlanIndex, dot1qVlanIndex = mibBuilder.importSymbols("Q-BRIDGE-MIB", "VlanId", "dot1qFdbId", "VlanIndex", "dot1qVlanIndex") switch, AgentPortMask = mibBuilder.importSymbols("QUANTA-SWITCH-MIB", "switch", "AgentPortMask") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") Gauge32, iso, Counter32, Integer32, NotificationType, MibScalar, MibTable, MibTableRow, MibTableColumn, IpAddress, Bits, MibIdentifier, TimeTicks, Unsigned32, Counter64, ObjectIdentity, ModuleIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "iso", "Counter32", "Integer32", "NotificationType", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "IpAddress", "Bits", "MibIdentifier", "TimeTicks", "Unsigned32", "Counter64", "ObjectIdentity", "ModuleIdentity") DateAndTime, TruthValue, TextualConvention, RowStatus, MacAddress, PhysAddress, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "DateAndTime", "TruthValue", "TextualConvention", "RowStatus", "MacAddress", "PhysAddress", "DisplayString") switching = ModuleIdentity((1, 3, 6, 1, 4, 1, 7244, 2, 1)) if mibBuilder.loadTexts: switching.setLastUpdated('201108310000Z') if mibBuilder.loadTexts: switching.setOrganization('QCT') class PortList(TextualConvention, OctetString): status = 'current' class VlanList(TextualConvention, OctetString): status = 'current' agentInfoGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1)) agentInventoryGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1)) agentInventorySysDescription = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventorySysDescription.setStatus('current') agentInventoryMachineType = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryMachineType.setStatus('current') agentInventoryMachineModel = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryMachineModel.setStatus('current') agentInventorySerialNumber = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventorySerialNumber.setStatus('current') agentInventoryFRUNumber = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryFRUNumber.setStatus('current') agentInventoryMaintenanceLevel = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 6), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryMaintenanceLevel.setStatus('current') agentInventoryPartNumber = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 7), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryPartNumber.setStatus('current') agentInventoryHardwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 8), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryHardwareVersion.setStatus('current') agentInventoryBurnedInMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 9), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryBurnedInMacAddress.setStatus('current') agentInventoryOperatingSystem = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 10), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryOperatingSystem.setStatus('current') agentInventoryNetworkProcessingDevice = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 11), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryNetworkProcessingDevice.setStatus('current') agentInventoryAdditionalPackages = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 12), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryAdditionalPackages.setStatus('current') agentInventorySoftwareVersion = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 13), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventorySoftwareVersion.setStatus('current') agentInventoryManufacturer = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 14), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentInventoryManufacturer.setStatus('current') agentTrapLogGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2)) agentTrapLogTotal = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTrapLogTotal.setStatus('current') agentTrapLogTotalSinceLastViewed = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTrapLogTotalSinceLastViewed.setStatus('current') agentTrapLogTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4), ) if mibBuilder.loadTexts: agentTrapLogTable.setStatus('current') agentTrapLogEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentTrapLogIndex")) if mibBuilder.loadTexts: agentTrapLogEntry.setStatus('current') agentTrapLogIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTrapLogIndex.setStatus('current') agentTrapLogSystemTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTrapLogSystemTime.setStatus('current') agentTrapLogTrap = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 512))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTrapLogTrap.setStatus('current') agentSupportedMibTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3), ) if mibBuilder.loadTexts: agentSupportedMibTable.setStatus('current') agentSupportedMibEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSupportedMibIndex")) if mibBuilder.loadTexts: agentSupportedMibEntry.setStatus('current') agentSupportedMibIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSupportedMibIndex.setStatus('current') agentSupportedMibName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSupportedMibName.setStatus('current') agentSupportedMibDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 512))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSupportedMibDescription.setStatus('current') agentPortStatsRateGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8)) agentPortStatsRateTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1), ) if mibBuilder.loadTexts: agentPortStatsRateTable.setStatus('current') agentPortStatsRateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentPortStatsRateEntry.setStatus('current') agentPortStatsRateHCBitsPerSecondRx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 9), Counter64()).setUnits('bits').setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortStatsRateHCBitsPerSecondRx.setStatus('current') agentPortStatsRateHCBitsPerSecondTx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 10), Counter64()).setUnits('bits').setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortStatsRateHCBitsPerSecondTx.setStatus('current') agentPortStatsRateHCPacketsPerSecondRx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 11), Counter64()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortStatsRateHCPacketsPerSecondRx.setStatus('current') agentPortStatsRateHCPacketsPerSecondTx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 12), Counter64()).setUnits('packets').setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortStatsRateHCPacketsPerSecondTx.setStatus('current') agentSwitchCpuProcessGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4)) agentSwitchCpuProcessMemFree = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setUnits('KBytes').setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessMemFree.setStatus('current') agentSwitchCpuProcessMemAvailable = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647)).clone(2)).setUnits('KBytes').setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessMemAvailable.setStatus('current') agentSwitchCpuProcessRisingThreshold = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchCpuProcessRisingThreshold.setStatus('current') agentSwitchCpuProcessRisingThresholdInterval = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 4), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5, 86400), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchCpuProcessRisingThresholdInterval.setStatus('current') agentSwitchCpuProcessFallingThreshold = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchCpuProcessFallingThreshold.setStatus('current') agentSwitchCpuProcessFallingThresholdInterval = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 6), Unsigned32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(5, 86400), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchCpuProcessFallingThresholdInterval.setStatus('current') agentSwitchCpuProcessFreeMemoryThreshold = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 7), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchCpuProcessFreeMemoryThreshold.setStatus('current') agentSwitchCpuProcessTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8), ) if mibBuilder.loadTexts: agentSwitchCpuProcessTable.setStatus('current') agentSwitchCpuProcessEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchCpuProcessIndex")) if mibBuilder.loadTexts: agentSwitchCpuProcessEntry.setStatus('current') agentSwitchCpuProcessIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchCpuProcessIndex.setStatus('current') agentSwitchCpuProcessName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessName.setStatus('current') agentSwitchCpuProcessPercentageUtilization = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessPercentageUtilization.setStatus('current') agentSwitchCpuProcessId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessId.setStatus('current') agentSwitchCpuProcessTotalUtilization = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 9), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchCpuProcessTotalUtilization.setStatus('current') agentConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2)) agentCLIConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1)) agentLoginSessionTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1), ) if mibBuilder.loadTexts: agentLoginSessionTable.setStatus('current') agentLoginSessionEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentLoginSessionIndex")) if mibBuilder.loadTexts: agentLoginSessionEntry.setStatus('current') agentLoginSessionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionIndex.setStatus('current') agentLoginSessionUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionUserName.setStatus('current') agentLoginSessionConnectionType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 0), ("serial", 1), ("telnet", 2), ("ssh", 3), ("http", 4), ("https", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionConnectionType.setStatus('current') agentLoginSessionIdleTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 5), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionIdleTime.setStatus('current') agentLoginSessionSessionTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 6), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionSessionTime.setStatus('current') agentLoginSessionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 7), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLoginSessionStatus.setStatus('current') agentLoginSessionInetAddressType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 8), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionInetAddressType.setStatus('current') agentLoginSessionInetAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 9), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLoginSessionInetAddress.setStatus('current') agentTelnetConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2)) agentTelnetLoginTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 160))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTelnetLoginTimeout.setStatus('current') agentTelnetMaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTelnetMaxSessions.setStatus('current') agentTelnetAllowNewMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTelnetAllowNewMode.setStatus('current') agentUserConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3)) agentUserConfigCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 8))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserConfigCreate.setStatus('current') agentUserConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2), ) if mibBuilder.loadTexts: agentUserConfigTable.setStatus('current') agentUserConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentUserIndex")) if mibBuilder.loadTexts: agentUserConfigEntry.setStatus('current') agentUserIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentUserIndex.setStatus('current') agentUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserName.setStatus('current') agentUserPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(8, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserPassword.setStatus('current') agentUserAccessMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("suspended", 0), ("read", 1), ("write", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserAccessMode.setStatus('current') agentUserStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 5), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserStatus.setStatus('current') agentUserAuthenticationType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("hmacmd5", 2), ("hmacsha", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserAuthenticationType.setStatus('current') agentUserEncryptionType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("des", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserEncryptionType.setStatus('current') agentUserEncryptionPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 8), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(8, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserEncryptionPassword.setStatus('current') agentUserLockoutStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentUserLockoutStatus.setStatus('current') agentUserPasswordExpireTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 10), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentUserPasswordExpireTime.setStatus('current') agentUserSnmpv3AccessMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("read", 1), ("write", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserSnmpv3AccessMode.setStatus('current') agentUserPrivilegeLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 1), ValueRangeConstraint(15, 15), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserPrivilegeLevel.setStatus('current') agentSerialGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5)) agentSerialTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 160))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSerialTimeout.setStatus('current') agentSerialBaudrate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("baud-1200", 1), ("baud-2400", 2), ("baud-4800", 3), ("baud-9600", 4), ("baud-19200", 5), ("baud-38400", 6), ("baud-57600", 7), ("baud-115200", 8)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSerialBaudrate.setStatus('current') agentSerialCharacterSize = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSerialCharacterSize.setStatus('current') agentSerialHWFlowControlMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSerialHWFlowControlMode.setStatus('current') agentSerialStopBits = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSerialStopBits.setStatus('current') agentSerialParityType = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("even", 1), ("odd", 2), ("none", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSerialParityType.setStatus('current') agentSerialTerminalLength = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 100))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSerialTerminalLength.setStatus('current') agentPasswordManagementConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6)) agentPasswordManagementMinLength = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 0), ValueRangeConstraint(8, 64), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementMinLength.setStatus('current') agentPasswordManagementHistory = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementHistory.setStatus('current') agentPasswordManagementAging = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 365))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementAging.setStatus('current') agentPasswordManagementLockAttempts = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementLockAttempts.setStatus('current') agentPasswordManagementPasswordStrengthCheck = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementPasswordStrengthCheck.setStatus('current') agentPasswordManagementStrengthMinUpperCase = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMinUpperCase.setStatus('current') agentPasswordManagementStrengthMinLowerCase = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMinLowerCase.setStatus('current') agentPasswordManagementStrengthMinNumericNumbers = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMinNumericNumbers.setStatus('current') agentPasswordManagementStrengthMinSpecialCharacters = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMinSpecialCharacters.setStatus('current') agentPasswordManagementStrengthMaxConsecutiveCharacters = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMaxConsecutiveCharacters.setStatus('current') agentPasswordManagementStrengthMaxRepeatedCharacters = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMaxRepeatedCharacters.setStatus('current') agentPasswordManagementStrengthMinCharacterClasses = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 12), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPasswordManagementStrengthMinCharacterClasses.setStatus('current') agentPasswordMgmtLastPasswordSetResult = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 14), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPasswordMgmtLastPasswordSetResult.setStatus('current') agentPasswordManagementStrengthExcludeKeywordTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15), ) if mibBuilder.loadTexts: agentPasswordManagementStrengthExcludeKeywordTable.setStatus('current') agentPasswordManagementStrengthExcludeKeywordEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentPasswordMgmtStrengthExcludeKeyword")) if mibBuilder.loadTexts: agentPasswordManagementStrengthExcludeKeywordEntry.setStatus('current') agentPasswordMgmtStrengthExcludeKeyword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPasswordMgmtStrengthExcludeKeyword.setStatus('current') agentPasswordMgmtStrengthExcludeKeywordStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentPasswordMgmtStrengthExcludeKeywordStatus.setStatus('current') agentIASUserConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7)) agentIASUserConfigCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIASUserConfigCreate.setStatus('current') agentIASUserConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2), ) if mibBuilder.loadTexts: agentIASUserConfigTable.setStatus('current') agentIASUserConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentIASUserIndex")) if mibBuilder.loadTexts: agentIASUserConfigEntry.setStatus('current') agentIASUserIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 99))) if mibBuilder.loadTexts: agentIASUserIndex.setStatus('current') agentIASUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIASUserName.setStatus('current') agentIASUserPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIASUserPassword.setStatus('current') agentIASUserStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 4), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIASUserStatus.setStatus('current') agentLagConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2)) agentLagConfigCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagConfigCreate.setStatus('current') agentLagSummaryConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2), ) if mibBuilder.loadTexts: agentLagSummaryConfigTable.setStatus('current') agentLagSummaryConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentLagSummaryLagIndex")) if mibBuilder.loadTexts: agentLagSummaryConfigEntry.setStatus('current') agentLagSummaryLagIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagSummaryLagIndex.setStatus('current') agentLagSummaryName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagSummaryName.setStatus('current') agentLagSummaryFlushTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryFlushTimer.setStatus('obsolete') agentLagSummaryLinkTrap = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryLinkTrap.setStatus('current') agentLagSummaryAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryAdminMode.setStatus('current') agentLagSummaryStpMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("dot1d", 1), ("fast", 2), ("off", 3), ("dot1s", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryStpMode.setStatus('current') agentLagSummaryAddPort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryAddPort.setStatus('current') agentLagSummaryDeletePort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryDeletePort.setStatus('current') agentLagSummaryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 9), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryStatus.setStatus('current') agentLagSummaryType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("static", 1), ("dynamic", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagSummaryType.setStatus('current') agentLagSummaryPortStaticCapability = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryPortStaticCapability.setStatus('current') agentLagSummaryHash = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 7, 8, 9))).clone(namedValues=NamedValues(("src-mac", 1), ("dst-mac", 2), ("src-dst-mac", 3), ("src-ip-src-ipport", 7), ("dst-ip-dst-ipport", 8), ("src-dst-ip-ipports", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryHash.setStatus('obsolete') agentLagSummaryHashOption = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryHashOption.setStatus('current') agentLagSummaryRateLoadInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagSummaryRateLoadInterval.setStatus('current') agentLagDetailedConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3), ) if mibBuilder.loadTexts: agentLagDetailedConfigTable.setStatus('current') agentLagDetailedConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentLagDetailedLagIndex"), (0, "SWITCHING-MIB", "agentLagDetailedIfIndex")) if mibBuilder.loadTexts: agentLagDetailedConfigEntry.setStatus('current') agentLagDetailedLagIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagDetailedLagIndex.setStatus('current') agentLagDetailedIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagDetailedIfIndex.setStatus('current') agentLagDetailedPortSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 3), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagDetailedPortSpeed.setStatus('current') agentLagDetailedPortStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentLagDetailedPortStatus.setStatus('current') agentLagConfigStaticCapability = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagConfigStaticCapability.setStatus('obsolete') agentLagConfigGroupHashOption = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLagConfigGroupHashOption.setStatus('current') agentNetworkConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3)) agentNetworkIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 1), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkIPAddress.setStatus('current') agentNetworkSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkSubnetMask.setStatus('current') agentNetworkDefaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkDefaultGateway.setStatus('current') agentNetworkBurnedInMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 4), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkBurnedInMacAddress.setStatus('current') agentNetworkLocalAdminMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 5), PhysAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkLocalAdminMacAddress.setStatus('deprecated') agentNetworkMacAddressType = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("burned-in", 1), ("local", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkMacAddressType.setStatus('deprecated') agentNetworkConfigProtocol = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("bootp", 2), ("dhcp", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkConfigProtocol.setStatus('current') agentNetworkWebMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkWebMode.setStatus('obsolete') agentNetworkJavaMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkJavaMode.setStatus('obsolete') agentNetworkMgmtVlan = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4093))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkMgmtVlan.setStatus('current') agentNetworkConfigProtocolDhcpRenew = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("renew", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkConfigProtocolDhcpRenew.setStatus('deprecated') agentNetworkConfigIpDhcpRenew = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("renew", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkConfigIpDhcpRenew.setStatus('current') agentNetworkConfigIpv6DhcpRenew = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("renew", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkConfigIpv6DhcpRenew.setStatus('current') agentNetworkIpv6AdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkIpv6AdminMode.setStatus('current') agentNetworkIpv6Gateway = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 13), Ipv6AddressPrefix()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkIpv6Gateway.setStatus('current') agentNetworkIpv6AddrTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14), ) if mibBuilder.loadTexts: agentNetworkIpv6AddrTable.setStatus('current') agentNetworkIpv6AddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentNetworkIpv6AddrPrefix")) if mibBuilder.loadTexts: agentNetworkIpv6AddrEntry.setStatus('current') agentNetworkIpv6AddrPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 1), Ipv6AddressPrefix()) if mibBuilder.loadTexts: agentNetworkIpv6AddrPrefix.setStatus('current') agentNetworkIpv6AddrPrefixLength = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentNetworkIpv6AddrPrefixLength.setStatus('current') agentNetworkIpv6AddrEuiFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentNetworkIpv6AddrEuiFlag.setStatus('current') agentNetworkIpv6AddrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentNetworkIpv6AddrStatus.setStatus('current') agentNetworkIpv6AddressAutoConfig = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkIpv6AddressAutoConfig.setStatus('current') agentNetworkIpv6ConfigProtocol = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("dhcp", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkIpv6ConfigProtocol.setStatus('current') agentNetworkDhcp6ClientDuid = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 17), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6ClientDuid.setStatus('current') agentNetworkStatsGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18)) agentNetworkDhcp6ADVERTISEMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6ADVERTISEMessagesReceived.setStatus('current') agentNetworkDhcp6REPLYMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6REPLYMessagesReceived.setStatus('current') agentNetworkDhcp6ADVERTISEMessagesDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6ADVERTISEMessagesDiscarded.setStatus('current') agentNetworkDhcp6REPLYMessagesDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6REPLYMessagesDiscarded.setStatus('current') agentNetworkDhcp6MalformedMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6MalformedMessagesReceived.setStatus('current') agentNetworkDhcp6SOLICITMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6SOLICITMessagesSent.setStatus('current') agentNetworkDhcp6REQUESTMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6REQUESTMessagesSent.setStatus('current') agentNetworkDhcp6RENEWMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6RENEWMessagesSent.setStatus('current') agentNetworkDhcp6REBINDMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6REBINDMessagesSent.setStatus('current') agentNetworkDhcp6RELEASEMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentNetworkDhcp6RELEASEMessagesSent.setStatus('current') agentNetworkDhcp6StatsReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNetworkDhcp6StatsReset.setStatus('current') agentServicePortConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4)) agentServicePortIPAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 1), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortIPAddress.setStatus('current') agentServicePortSubnetMask = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 2), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortSubnetMask.setStatus('current') agentServicePortDefaultGateway = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortDefaultGateway.setStatus('current') agentServicePortBurnedInMacAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 4), PhysAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortBurnedInMacAddress.setStatus('current') agentServicePortConfigProtocol = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("bootp", 2), ("dhcp", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortConfigProtocol.setStatus('current') agentServicePortProtocolDhcpRenew = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("renew", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortProtocolDhcpRenew.setStatus('deprecated') agentServicePortIpv6AdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortIpv6AdminMode.setStatus('current') agentServicePortIpv6Gateway = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 8), Ipv6AddressPrefix()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortIpv6Gateway.setStatus('current') agentServicePortIpv6AddrTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9), ) if mibBuilder.loadTexts: agentServicePortIpv6AddrTable.setStatus('current') agentServicePortIpv6AddrEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentServicePortIpv6AddrPrefix")) if mibBuilder.loadTexts: agentServicePortIpv6AddrEntry.setStatus('current') agentServicePortIpv6AddrPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 1), Ipv6AddressPrefix()) if mibBuilder.loadTexts: agentServicePortIpv6AddrPrefix.setStatus('current') agentServicePortIpv6AddrPrefixLength = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 128))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentServicePortIpv6AddrPrefixLength.setStatus('current') agentServicePortIpv6AddrEuiFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentServicePortIpv6AddrEuiFlag.setStatus('current') agentServicePortIpv6AddrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentServicePortIpv6AddrStatus.setStatus('current') agentServicePortIpv6AddressAutoConfig = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('enable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortIpv6AddressAutoConfig.setStatus('current') agentServicePortIpv6ConfigProtocol = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("dhcp", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortIpv6ConfigProtocol.setStatus('current') agentServicePortDhcp6ClientDuid = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6ClientDuid.setStatus('current') agentServicePortStatsGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13)) agentServicePortDhcp6ADVERTISEMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6ADVERTISEMessagesReceived.setStatus('current') agentServicePortDhcp6REPLYMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6REPLYMessagesReceived.setStatus('current') agentServicePortDhcp6ADVERTISEMessagesDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6ADVERTISEMessagesDiscarded.setStatus('current') agentServicePortDhcp6REPLYMessagesDiscarded = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6REPLYMessagesDiscarded.setStatus('current') agentServicePortDhcp6MalformedMessagesReceived = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6MalformedMessagesReceived.setStatus('current') agentServicePortDhcp6SOLICITMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6SOLICITMessagesSent.setStatus('current') agentServicePortDhcp6REQUESTMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6REQUESTMessagesSent.setStatus('current') agentServicePortDhcp6RENEWMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6RENEWMessagesSent.setStatus('current') agentServicePortDhcp6REBINDMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6REBINDMessagesSent.setStatus('current') agentServicePortDhcp6RELEASEMessagesSent = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentServicePortDhcp6RELEASEMessagesSent.setStatus('current') agentServicePortDhcp6StatsReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentServicePortDhcp6StatsReset.setStatus('current') agentSnmpConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6)) agentSnmpCommunityCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityCreate.setStatus('current') agentSnmpCommunityConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2), ) if mibBuilder.loadTexts: agentSnmpCommunityConfigTable.setStatus('current') agentSnmpCommunityConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSnmpCommunityIndex")) if mibBuilder.loadTexts: agentSnmpCommunityConfigEntry.setStatus('current') agentSnmpCommunityIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSnmpCommunityIndex.setStatus('current') agentSnmpCommunityName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityName.setStatus('current') agentSnmpCommunityIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 3), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityIPAddress.setStatus('current') agentSnmpCommunityIPMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 4), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityIPMask.setStatus('current') agentSnmpCommunityAccessMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("read-only", 1), ("read-write", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityAccessMode.setStatus('current') agentSnmpCommunityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("notInService", 2), ("config", 3), ("destroy", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpCommunityStatus.setStatus('current') agentSnmpTrapReceiverCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverCreate.setStatus('current') agentSnmpTrapReceiverConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4), ) if mibBuilder.loadTexts: agentSnmpTrapReceiverConfigTable.setStatus('current') agentSnmpTrapReceiverConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSnmpTrapReceiverIndex")) if mibBuilder.loadTexts: agentSnmpTrapReceiverConfigEntry.setStatus('current') agentSnmpTrapReceiverIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSnmpTrapReceiverIndex.setStatus('current') agentSnmpTrapReceiverCommunityName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverCommunityName.setStatus('current') agentSnmpTrapReceiverIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 3), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverIPAddress.setStatus('current') agentSnmpTrapReceiverStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("notInService", 2), ("config", 3), ("destroy", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverStatus.setStatus('current') agentSnmpTrapReceiverVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("snmpv1", 1), ("snmpv2c", 2), ("snmpv3", 3))).clone('snmpv2c')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverVersion.setStatus('current') agentSnmpTrapReceiverSecurityLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("auth", 2), ("priv", 3), ("notSupport", 4))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverSecurityLevel.setStatus('current') agentSnmpTrapReceiverPort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 7), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535)).clone(162)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapReceiverPort.setStatus('current') agentSnmpTrapFlagsConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5)) agentSnmpAuthenticationTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpAuthenticationTrapFlag.setStatus('current') agentSnmpLinkUpDownTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpLinkUpDownTrapFlag.setStatus('current') agentSnmpMultipleUsersTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpMultipleUsersTrapFlag.setStatus('current') agentSnmpSpanningTreeTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpSpanningTreeTrapFlag.setStatus('current') agentSnmpACLTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpACLTrapFlag.setStatus('current') agentSnmpTransceiverTrapFlag = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTransceiverTrapFlag.setStatus('current') agentSnmpInformConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6)) agentSnmpInformAdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformAdminMode.setStatus('current') agentSnmpInformRetires = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100)).clone(3)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformRetires.setStatus('current') agentSnmpInformTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000)).clone(15)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformTimeout.setStatus('current') agentSnmpInformConfigTableCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformConfigTableCreate.setStatus('current') agentSnmpInformConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5), ) if mibBuilder.loadTexts: agentSnmpInformConfigTable.setStatus('current') agentSnmpInformConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSnmpInformIndex")) if mibBuilder.loadTexts: agentSnmpInformConfigEntry.setStatus('current') agentSnmpInformIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSnmpInformIndex.setStatus('current') agentSnmpInformName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformName.setStatus('current') agentSnmpInformIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 3), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformIpAddress.setStatus('current') agentSnmpInformVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(2, 3))).clone(namedValues=NamedValues(("snmpv2c", 2), ("snmpv3", 3))).clone('snmpv2c')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformVersion.setStatus('current') agentSnmpInformStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("active", 1), ("notInService", 2), ("config", 3), ("destroy", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformStatus.setStatus('current') agentSnmpInformSecurityLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("none", 1), ("auth", 2), ("priv", 3), ("notSupport", 4)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpInformSecurityLevel.setStatus('current') agentSnmpUserConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7), ) if mibBuilder.loadTexts: agentSnmpUserConfigTable.setStatus('current') agentSnmpUserConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSnmpUserIndex")) if mibBuilder.loadTexts: agentSnmpUserConfigEntry.setStatus('current') agentSnmpUserIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSnmpUserIndex.setStatus('current') agentSnmpUserUsername = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpUserUsername.setStatus('current') agentSnmpUserAuthentication = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("none", 1), ("md5", 2), ("sha", 3))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpUserAuthentication.setStatus('current') agentSnmpUserAuthenticationPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpUserAuthenticationPassword.setStatus('current') agentSnmpUserEncryption = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("none", 1), ("des", 2))).clone('none')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpUserEncryption.setStatus('current') agentSnmpUserEncryptionPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpUserEncryptionPassword.setStatus('current') agentSnmpUserStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 4, 6))).clone(namedValues=NamedValues(("active", 1), ("create", 4), ("destory", 6))).clone('active')).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSnmpUserStatus.setStatus('current') agentSnmpEngineIdConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8), ) if mibBuilder.loadTexts: agentSnmpEngineIdConfigTable.setStatus('current') agentSnmpTrapSourceInterface = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 9), InterfaceIndexOrZero()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpTrapSourceInterface.setStatus('current') agentSnmpEngineIdConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSnmpEngineIdIndex")) if mibBuilder.loadTexts: agentSnmpEngineIdConfigEntry.setStatus('current') agentSnmpEngineIdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSnmpEngineIdIndex.setStatus('current') agentSnmpEngineIdIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 2), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpEngineIdIpAddress.setStatus('current') agentSnmpEngineIdString = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 24))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSnmpEngineIdString.setStatus('current') agentSnmpEngineIdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 4, 6))).clone(namedValues=NamedValues(("active", 1), ("create", 4), ("destory", 6))).clone('active')).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSnmpEngineIdStatus.setStatus('current') agentSpanningTreeConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 7)) agentSpanningTreeMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 7, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSpanningTreeMode.setStatus('obsolete') agentSwitchConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8)) agentSwitchAddressAgingTimeoutTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4), ) if mibBuilder.loadTexts: agentSwitchAddressAgingTimeoutTable.setStatus('current') agentSwitchAddressAgingTimeoutEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4, 1), ).setIndexNames((0, "Q-BRIDGE-MIB", "dot1qFdbId")) if mibBuilder.loadTexts: agentSwitchAddressAgingTimeoutEntry.setStatus('current') agentSwitchAddressAgingTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(10, 1000000)).clone(300)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchAddressAgingTimeout.setStatus('current') agentSwitchStaticMacFilteringTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5), ) if mibBuilder.loadTexts: agentSwitchStaticMacFilteringTable.setStatus('current') agentSwitchStaticMacFilteringEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchStaticMacFilteringVlanId"), (0, "SWITCHING-MIB", "agentSwitchStaticMacFilteringAddress")) if mibBuilder.loadTexts: agentSwitchStaticMacFilteringEntry.setStatus('current') agentSwitchStaticMacFilteringVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchStaticMacFilteringVlanId.setStatus('current') agentSwitchStaticMacFilteringAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchStaticMacFilteringAddress.setStatus('current') agentSwitchStaticMacFilteringSourcePortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 3), AgentPortMask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchStaticMacFilteringSourcePortMask.setStatus('current') agentSwitchStaticMacFilteringDestPortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 4), AgentPortMask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchStaticMacFilteringDestPortMask.setStatus('deprecated') agentSwitchStaticMacFilteringStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchStaticMacFilteringStatus.setStatus('current') agentSwitchSnoopingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6)) agentSwitchSnoopingCfgTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1), ) if mibBuilder.loadTexts: agentSwitchSnoopingCfgTable.setStatus('current') agentSwitchSnoopingCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchSnoopingCfgEntry.setStatus('current') agentSwitchSnoopingProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 1), InetAddressType()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingProtocol.setStatus('current') agentSwitchSnoopingAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingAdminMode.setStatus('current') agentSwitchSnoopingPortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 3), AgentPortMask().clone(hexValue="000000000000")).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingPortMask.setStatus('current') agentSwitchSnoopingMulticastControlFramesProcessed = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingMulticastControlFramesProcessed.setStatus('current') agentSwitchSnoopingIntfGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7)) agentSwitchSnoopingIntfTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1), ) if mibBuilder.loadTexts: agentSwitchSnoopingIntfTable.setStatus('current') agentSwitchSnoopingIntfEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchSnoopingIntfEntry.setStatus('current') agentSwitchSnoopingIntfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingIntfIndex.setStatus('current') agentSwitchSnoopingIntfAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingIntfAdminMode.setStatus('current') agentSwitchSnoopingIntfGroupMembershipInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 3600)).clone(260)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingIntfGroupMembershipInterval.setStatus('current') agentSwitchSnoopingIntfMRPExpirationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingIntfMRPExpirationTime.setStatus('current') agentSwitchSnoopingIntfFastLeaveAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingIntfFastLeaveAdminMode.setStatus('current') agentSwitchSnoopingIntfMulticastRouterMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingIntfMulticastRouterMode.setStatus('current') agentSwitchSnoopingIntfVlanIDs = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 8), VlanList()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingIntfVlanIDs.setStatus('current') agentSwitchSnoopingVlanGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8)) agentSwitchSnoopingVlanTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1), ) if mibBuilder.loadTexts: agentSwitchSnoopingVlanTable.setStatus('current') agentSwitchSnoopingVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1), ).setIndexNames((0, "Q-BRIDGE-MIB", "dot1qVlanIndex"), (0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchSnoopingVlanEntry.setStatus('current') agentSwitchSnoopingVlanAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingVlanAdminMode.setStatus('current') agentSwitchSnoopingVlanGroupMembershipInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(2, 3600)).clone(260)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingVlanGroupMembershipInterval.setStatus('current') agentSwitchSnoopingVlanMaxResponseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3599)).clone(10)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingVlanMaxResponseTime.setStatus('current') agentSwitchSnoopingVlanFastLeaveAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingVlanFastLeaveAdminMode.setStatus('current') agentSwitchSnoopingVlanMRPExpirationTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 3600))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingVlanMRPExpirationTime.setStatus('current') agentSwitchVlanStaticMrouterGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9)) agentSwitchVlanStaticMrouterTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1), ) if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterTable.setStatus('current') agentSwitchVlanStaticMrouterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "Q-BRIDGE-MIB", "dot1qVlanIndex"), (0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterEntry.setStatus('current') agentSwitchVlanStaticMrouterAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterAdminMode.setStatus('current') agentSwitchMFDBGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10)) agentSwitchMFDBTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1), ) if mibBuilder.loadTexts: agentSwitchMFDBTable.setStatus('current') agentSwitchMFDBEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchMFDBVlanId"), (0, "SWITCHING-MIB", "agentSwitchMFDBMacAddress"), (0, "SWITCHING-MIB", "agentSwitchMFDBProtocolType"), (0, "SWITCHING-MIB", "agentSwitchMFDBType")) if mibBuilder.loadTexts: agentSwitchMFDBEntry.setStatus('current') agentSwitchMFDBVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 1), VlanIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBVlanId.setStatus('current') agentSwitchMFDBMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBMacAddress.setStatus('current') agentSwitchMFDBProtocolType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("static", 1), ("gmrp", 2), ("igmp", 3), ("mld", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBProtocolType.setStatus('current') agentSwitchMFDBType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("static", 1), ("dynamic", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBType.setStatus('current') agentSwitchMFDBDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 5), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBDescription.setStatus('current') agentSwitchMFDBForwardingPortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 6), AgentPortMask()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBForwardingPortMask.setStatus('current') agentSwitchMFDBFilteringPortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 7), AgentPortMask()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBFilteringPortMask.setStatus('current') agentSwitchMFDBSummaryTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2), ) if mibBuilder.loadTexts: agentSwitchMFDBSummaryTable.setStatus('current') agentSwitchMFDBSummaryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchMFDBSummaryVlanId"), (0, "SWITCHING-MIB", "agentSwitchMFDBSummaryMacAddress")) if mibBuilder.loadTexts: agentSwitchMFDBSummaryEntry.setStatus('current') agentSwitchMFDBSummaryVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 1), VlanIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBSummaryVlanId.setStatus('current') agentSwitchMFDBSummaryMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBSummaryMacAddress.setStatus('current') agentSwitchMFDBSummaryForwardingPortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 3), AgentPortMask()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBSummaryForwardingPortMask.setStatus('current') agentSwitchMFDBMaxTableEntries = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBMaxTableEntries.setStatus('current') agentSwitchMFDBMostEntriesUsed = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 4), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBMostEntriesUsed.setStatus('current') agentSwitchMFDBCurrentEntries = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchMFDBCurrentEntries.setStatus('current') agentSwitchDVlanTagGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11)) agentSwitchDVlanTagEthertype = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchDVlanTagEthertype.setStatus('obsolete') agentSwitchDVlanTagTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2), ) if mibBuilder.loadTexts: agentSwitchDVlanTagTable.setStatus('obsolete') agentSwitchDVlanTagEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchDVlanTagTPid")) if mibBuilder.loadTexts: agentSwitchDVlanTagEntry.setStatus('obsolete') agentSwitchDVlanTagTPid = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: agentSwitchDVlanTagTPid.setStatus('obsolete') agentSwitchDVlanTagPrimaryTPid = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchDVlanTagPrimaryTPid.setStatus('obsolete') agentSwitchDVlanTagRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchDVlanTagRowStatus.setStatus('obsolete') agentSwitchPortDVlanTagTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3), ) if mibBuilder.loadTexts: agentSwitchPortDVlanTagTable.setStatus('obsolete') agentSwitchPortDVlanTagEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchPortDVlanTagInterfaceIfIndex"), (0, "SWITCHING-MIB", "agentSwitchPortDVlanTagTPid")) if mibBuilder.loadTexts: agentSwitchPortDVlanTagEntry.setStatus('obsolete') agentSwitchPortDVlanTagInterfaceIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchPortDVlanTagInterfaceIfIndex.setStatus('obsolete') agentSwitchPortDVlanTagTPid = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))) if mibBuilder.loadTexts: agentSwitchPortDVlanTagTPid.setStatus('obsolete') agentSwitchPortDVlanTagMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchPortDVlanTagMode.setStatus('obsolete') agentSwitchPortDVlanTagCustomerId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchPortDVlanTagCustomerId.setStatus('obsolete') agentSwitchPortDVlanTagRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchPortDVlanTagRowStatus.setStatus('obsolete') agentSwitchIfDVlanTagTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4), ) if mibBuilder.loadTexts: agentSwitchIfDVlanTagTable.setStatus('current') agentSwitchIfDVlanTagEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchIfDVlanTagIfIndex")) if mibBuilder.loadTexts: agentSwitchIfDVlanTagEntry.setStatus('current') agentSwitchIfDVlanTagIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchIfDVlanTagIfIndex.setStatus('current') agentSwitchIfDVlanTagMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchIfDVlanTagMode.setStatus('current') agentSwitchIfDVlanTagTPid = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchIfDVlanTagTPid.setStatus('current') agentSwitchVlanMacAssociationGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17)) agentSwitchVlanMacAssociationTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1), ) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationTable.setStatus('current') agentSwitchVlanMacAssociationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchVlanMacAssociationMacAddress"), (0, "SWITCHING-MIB", "agentSwitchVlanMacAssociationVlanId"), (0, "SWITCHING-MIB", "agentSwitchVlanMacAssociationPriority")) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationEntry.setStatus('current') agentSwitchVlanMacAssociationMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 1), MacAddress()) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationMacAddress.setStatus('current') agentSwitchVlanMacAssociationVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 2), VlanIndex()) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationVlanId.setStatus('current') agentSwitchVlanMacAssociationPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationPriority.setStatus('current') agentSwitchVlanMacAssociationRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchVlanMacAssociationRowStatus.setStatus('current') agentSwitchProtectedPortConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18)) agentSwitchProtectedPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1), ) if mibBuilder.loadTexts: agentSwitchProtectedPortTable.setStatus('current') agentSwitchProtectedPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchProtectedPortGroupId")) if mibBuilder.loadTexts: agentSwitchProtectedPortEntry.setStatus('current') agentSwitchProtectedPortGroupId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchProtectedPortGroupId.setStatus('current') agentSwitchProtectedPortGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchProtectedPortGroupName.setStatus('current') agentSwitchProtectedPortPortList = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 3), PortList()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchProtectedPortPortList.setStatus('current') agentSwitchVlanSubnetAssociationGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19)) agentSwitchVlanSubnetAssociationTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1), ) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationTable.setStatus('current') agentSwitchVlanSubnetAssociationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchVlanSubnetAssociationIPAddress"), (0, "SWITCHING-MIB", "agentSwitchVlanSubnetAssociationSubnetMask"), (0, "SWITCHING-MIB", "agentSwitchVlanSubnetAssociationVlanId"), (0, "SWITCHING-MIB", "agentSwitchVlanSubnetAssociationPriority")) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationEntry.setStatus('current') agentSwitchVlanSubnetAssociationIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 1), IpAddress()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationIPAddress.setStatus('current') agentSwitchVlanSubnetAssociationSubnetMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 2), IpAddress()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationSubnetMask.setStatus('current') agentSwitchVlanSubnetAssociationVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 3), VlanIndex()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationVlanId.setStatus('current') agentSwitchVlanSubnetAssociationPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationPriority.setStatus('current') agentSwitchVlanSubnetAssociationRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 4), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationRowStatus.setStatus('current') agentSwitchSnoopingQuerierGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20)) agentSwitchSnoopingQuerierCfgTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1), ) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierCfgTable.setStatus('current') agentSwitchSnoopingQuerierCfgEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierCfgEntry.setStatus('current') agentSwitchSnoopingQuerierAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierAdminMode.setStatus('current') agentSwitchSnoopingQuerierVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVersion.setStatus('current') agentSwitchSnoopingQuerierAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 3), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierAddress.setStatus('current') agentSwitchSnoopingQuerierQueryInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1800)).clone(60)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierQueryInterval.setStatus('current') agentSwitchSnoopingQuerierExpiryInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(60, 300)).clone(120)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierExpiryInterval.setStatus('current') agentSwitchSnoopingQuerierVlanTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2), ) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanTable.setStatus('current') agentSwitchSnoopingQuerierVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1), ).setIndexNames((0, "Q-BRIDGE-MIB", "dot1qVlanIndex"), (0, "SWITCHING-MIB", "agentSwitchSnoopingProtocol")) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanEntry.setStatus('current') agentSwitchSnoopingQuerierVlanAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanAdminMode.setStatus('current') agentSwitchSnoopingQuerierVlanOperMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("disabled", 0), ("querier", 1), ("non-querier", 2))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanOperMode.setStatus('current') agentSwitchSnoopingQuerierElectionParticipateMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disable", 0), ("enable", 1))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierElectionParticipateMode.setStatus('current') agentSwitchSnoopingQuerierVlanAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 4), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanAddress.setStatus('current') agentSwitchSnoopingQuerierOperVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierOperVersion.setStatus('current') agentSwitchSnoopingQuerierOperMaxResponseTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 2147483647), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierOperMaxResponseTime.setStatus('current') agentSwitchSnoopingQuerierLastQuerierAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 7), InetAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierLastQuerierAddress.setStatus('current') agentSwitchSnoopingQuerierLastQuerierVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchSnoopingQuerierLastQuerierVersion.setStatus('current') agentTransferConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9)) agentTransferUploadGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1)) agentTransferUploadMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 5, 6, 7))).clone(namedValues=NamedValues(("tftp", 1), ("sftp", 5), ("scp", 6), ("ftp", 7)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadMode.setStatus('current') agentTransferUploadPath = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 160))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadPath.setStatus('current') agentTransferUploadFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadFilename.setStatus('current') agentTransferUploadScriptFromSwitchSrcFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadScriptFromSwitchSrcFilename.setStatus('current') agentTransferUploadStartupConfigFromSwitchSrcFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadStartupConfigFromSwitchSrcFilename.setStatus('current') agentTransferUploadOpCodeFromSwitchSrcFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadOpCodeFromSwitchSrcFilename.setStatus('current') agentTransferUploadDataType = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("script", 1), ("code", 2), ("config", 3), ("errorlog", 4), ("messagelog", 5), ("traplog", 6), ("clibanner", 7), ("vmtracer", 8), ("runningConfig", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadDataType.setStatus('current') agentTransferUploadStart = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadStart.setStatus('current') agentTransferUploadStatus = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("notInitiated", 1), ("transferStarting", 2), ("errorStarting", 3), ("wrongFileType", 4), ("updatingConfig", 5), ("invalidConfigFile", 6), ("writingToFlash", 7), ("failureWritingToFlash", 8), ("checkingCRC", 9), ("failedCRC", 10), ("unknownDirection", 11), ("transferSuccessful", 12), ("transferFailed", 13), ("fileNotExist", 14), ("runByOtherUsers", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTransferUploadStatus.setStatus('current') agentTransferUploadServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 12), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadServerAddress.setStatus('current') agentTransferUploadUsername = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadUsername.setStatus('current') agentTransferUploadPassword = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferUploadPassword.setStatus('current') agentTransferDownloadGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2)) agentTransferDownloadMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 5, 6, 7))).clone(namedValues=NamedValues(("tftp", 1), ("sftp", 5), ("scp", 6), ("ftp", 7)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadMode.setStatus('current') agentTransferDownloadPath = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 160))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadPath.setStatus('current') agentTransferDownloadFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadFilename.setStatus('current') agentTransferDownloadScriptToSwitchDestFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadScriptToSwitchDestFilename.setStatus('current') agentTransferDownloadOPCodeToSwitchDestFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadOPCodeToSwitchDestFilename.setStatus('current') agentTransferDownloadStartupConfigToSwitchDestFilename = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 7), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 30))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadStartupConfigToSwitchDestFilename.setStatus('current') agentTransferDownloadDataType = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("script", 1), ("code", 2), ("config", 3), ("sshkey-rsa1", 4), ("sshkey-rsa2", 5), ("sshkey-dsa", 6), ("sslpem-root", 7), ("sslpem-server", 8), ("sslpem-dhweak", 9), ("sslpem-dhstrong", 10), ("clibanner", 11), ("vmtracer", 12), ("license", 13)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadDataType.setStatus('current') agentTransferDownloadStart = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadStart.setStatus('current') agentTransferDownloadStatus = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("notInitiated", 1), ("transferStarting", 2), ("errorStarting", 3), ("wrongFileType", 4), ("updatingConfig", 5), ("invalidConfigFile", 6), ("writingToFlash", 7), ("failureWritingToFlash", 8), ("checkingCRC", 9), ("failedCRC", 10), ("unknownDirection", 11), ("transferSuccessful", 12), ("transferFailed", 13), ("fileExist", 14), ("noPartitionTableEntry", 15), ("runByOtherUsers", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentTransferDownloadStatus.setStatus('current') agentTransferDownloadServerAddress = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 12), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadServerAddress.setStatus('current') agentTransferDownloadUsername = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 14), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadUsername.setStatus('current') agentTransferDownloadPassword = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 15), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentTransferDownloadPassword.setStatus('current') agentImageConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3)) agentImage1 = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 1), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentImage1.setStatus('current') agentImage2 = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentImage2.setStatus('current') agentActiveImage = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 3), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentActiveImage.setStatus('current') agentNextActiveImage = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentNextActiveImage.setStatus('current') agentPortMirroringGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10)) agentPortMirrorTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4), ) if mibBuilder.loadTexts: agentPortMirrorTable.setStatus('current') agentPortMirrorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentPortMirrorSessionNum")) if mibBuilder.loadTexts: agentPortMirrorEntry.setStatus('current') agentPortMirrorSessionNum = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentPortMirrorSessionNum.setStatus('current') agentPortMirrorDestinationPort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 2), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMirrorDestinationPort.setStatus('current') agentPortMirrorSourcePortMask = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 3), AgentPortMask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMirrorSourcePortMask.setStatus('current') agentPortMirrorAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("delete", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMirrorAdminMode.setStatus('current') agentPortMirrorTypeTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5), ) if mibBuilder.loadTexts: agentPortMirrorTypeTable.setStatus('current') agentPortMirrorTypeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentPortMirrorSessionNum"), (0, "SWITCHING-MIB", "agentPortMirrorTypeSourcePort")) if mibBuilder.loadTexts: agentPortMirrorTypeEntry.setStatus('current') agentPortMirrorTypeSourcePort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentPortMirrorTypeSourcePort.setStatus('current') agentPortMirrorTypeType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("tx", 1), ("rx", 2), ("txrx", 3))).clone('txrx')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMirrorTypeType.setStatus('current') agentDot3adAggPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12), ) if mibBuilder.loadTexts: agentDot3adAggPortTable.setStatus('current') agentDot3adAggPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDot3adAggPort")) if mibBuilder.loadTexts: agentDot3adAggPortEntry.setStatus('current') agentDot3adAggPort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDot3adAggPort.setStatus('current') agentDot3adAggPortLACPMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDot3adAggPortLACPMode.setStatus('current') agentPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13), ) if mibBuilder.loadTexts: agentPortConfigTable.setStatus('current') agentPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentPortDot1dBasePort")) if mibBuilder.loadTexts: agentPortConfigEntry.setStatus('current') agentPortDot1dBasePort = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortDot1dBasePort.setStatus('current') agentPortIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortIfIndex.setStatus('current') agentPortIanaType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 3), IANAifType()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortIanaType.setStatus('current') agentPortSTPMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dot1d", 1), ("fast", 2), ("off", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortSTPMode.setStatus('deprecated') agentPortSTPState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("discarding", 1), ("learning", 2), ("forwarding", 3), ("disabled", 4), ("manualFwd", 5), ("notParticipate", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortSTPState.setStatus('deprecated') agentPortAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortAdminMode.setStatus('current') agentPortLinkTrapMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortLinkTrapMode.setStatus('current') agentPortClearStats = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortClearStats.setStatus('current') agentPortDefaultType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 11), ObjectIdentifier()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortDefaultType.setStatus('current') agentPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 12), ObjectIdentifier()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortType.setStatus('current') agentPortAutoNegAdminStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortAutoNegAdminStatus.setStatus('current') agentPortMaxFrameSizeLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortMaxFrameSizeLimit.setStatus('current') agentPortMaxFrameSize = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1518, 12288))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMaxFrameSize.setStatus('current') agentPortCapability = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortCapability.setStatus('current') agentPortBroadcastControlThresholdUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("percent", 1), ("pps", 2))).clone('percent')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortBroadcastControlThresholdUnit.setStatus('current') agentPortMulticastControlThresholdUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("percent", 1), ("pps", 2))).clone('percent')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortMulticastControlThresholdUnit.setStatus('current') agentPortUnicastControlThresholdUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("percent", 1), ("pps", 2))).clone('percent')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortUnicastControlThresholdUnit.setStatus('current') agentPortVoiceVlanMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("none", 1), ("vlanid", 2), ("dot1p", 3), ("untagged", 4), ("disable", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanMode.setStatus('current') agentPortVoiceVlanID = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 31), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 4093))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanID.setStatus('current') agentPortVoiceVlanPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 7), ValueRangeConstraint(255, 255), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanPriority.setStatus('current') agentPortVoiceVlanDataPriorityMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("trust", 1), ("untrust", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanDataPriorityMode.setStatus('current') agentPortVoiceVlanOperationalStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enabled", 1), ("disabled", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortVoiceVlanOperationalStatus.setStatus('current') agentPortVoiceVlanUntagged = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanUntagged.setStatus('current') agentPortVoiceVlanNoneMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanNoneMode.setStatus('current') agentPortVoiceVlanAuthMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortVoiceVlanAuthMode.setStatus('current') agentPortDot3FlowControlOperStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("active", 1), ("inactive", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentPortDot3FlowControlOperStatus.setStatus('current') agentPortLoadStatsInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 40), Integer32().subtype(subtypeSpec=ValueRangeConstraint(30, 600)).clone(300)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentPortLoadStatsInterval.setStatus('current') agentProtocolConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14)) agentProtocolGroupCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 1), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 16), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupCreate.setStatus('obsolete') agentProtocolGroupTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2), ) if mibBuilder.loadTexts: agentProtocolGroupTable.setStatus('current') agentProtocolGroupEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentProtocolGroupId")) if mibBuilder.loadTexts: agentProtocolGroupEntry.setStatus('current') agentProtocolGroupId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))) if mibBuilder.loadTexts: agentProtocolGroupId.setStatus('current') agentProtocolGroupName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 2), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 16), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupName.setStatus('current') agentProtocolGroupVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 4093))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupVlanId.setStatus('current') agentProtocolGroupProtocolIP = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupProtocolIP.setStatus('obsolete') agentProtocolGroupProtocolARP = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupProtocolARP.setStatus('obsolete') agentProtocolGroupProtocolIPX = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentProtocolGroupProtocolIPX.setStatus('obsolete') agentProtocolGroupStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 7), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentProtocolGroupStatus.setStatus('current') agentProtocolGroupPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3), ) if mibBuilder.loadTexts: agentProtocolGroupPortTable.setStatus('current') agentProtocolGroupPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentProtocolGroupId"), (0, "SWITCHING-MIB", "agentProtocolGroupPortIfIndex")) if mibBuilder.loadTexts: agentProtocolGroupPortEntry.setStatus('current') agentProtocolGroupPortIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentProtocolGroupPortIfIndex.setStatus('current') agentProtocolGroupPortStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentProtocolGroupPortStatus.setStatus('current') agentProtocolGroupProtocolTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4), ) if mibBuilder.loadTexts: agentProtocolGroupProtocolTable.setStatus('current') agentProtocolGroupProtocolEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentProtocolGroupId"), (0, "SWITCHING-MIB", "agentProtocolGroupProtocolID")) if mibBuilder.loadTexts: agentProtocolGroupProtocolEntry.setStatus('current') agentProtocolGroupProtocolID = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1536, 65535))) if mibBuilder.loadTexts: agentProtocolGroupProtocolID.setStatus('current') agentProtocolGroupProtocolStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentProtocolGroupProtocolStatus.setStatus('current') agentStpSwitchConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15)) agentStpConfigDigestKey = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(16, 16)).setFixedLength(16)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpConfigDigestKey.setStatus('current') agentStpConfigFormatSelector = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpConfigFormatSelector.setStatus('current') agentStpConfigName = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpConfigName.setStatus('current') agentStpConfigRevision = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpConfigRevision.setStatus('current') agentStpForceVersion = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dot1d", 1), ("dot1w", 2), ("dot1s", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpForceVersion.setStatus('current') agentStpAdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpAdminMode.setStatus('current') agentStpPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7), ) if mibBuilder.loadTexts: agentStpPortTable.setStatus('current') agentStpPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentStpPortEntry.setStatus('current') agentStpPortState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpPortState.setStatus('current') agentStpPortStatsMstpBpduRx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsMstpBpduRx.setStatus('current') agentStpPortStatsMstpBpduTx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsMstpBpduTx.setStatus('current') agentStpPortStatsRstpBpduRx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsRstpBpduRx.setStatus('current') agentStpPortStatsRstpBpduTx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsRstpBpduTx.setStatus('current') agentStpPortStatsStpBpduRx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsStpBpduRx.setStatus('current') agentStpPortStatsStpBpduTx = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortStatsStpBpduTx.setStatus('current') agentStpPortUpTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 8), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortUpTime.setStatus('current') agentStpPortMigrationCheck = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpPortMigrationCheck.setStatus('current') agentStpPortHelloTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpPortHelloTime.setStatus('current') agentStpPortBPDUGuard = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpPortBPDUGuard.setStatus('current') agentStpCstConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8)) agentStpCstHelloTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 1), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstHelloTime.setStatus('current') agentStpCstMaxAge = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 2), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstMaxAge.setStatus('current') agentStpCstRegionalRootId = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstRegionalRootId.setStatus('current') agentStpCstRegionalRootPathCost = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 4), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstRegionalRootPathCost.setStatus('current') agentStpCstRootFwdDelay = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstRootFwdDelay.setStatus('current') agentStpCstBridgeFwdDelay = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(4, 30)).clone(15)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstBridgeFwdDelay.setStatus('current') agentStpCstBridgeHelloTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstBridgeHelloTime.setStatus('current') agentStpCstBridgeHoldTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 8), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstBridgeHoldTime.setStatus('current') agentStpCstBridgeMaxAge = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 40)).clone(20)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstBridgeMaxAge.setStatus('current') agentStpCstBridgeMaxHops = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(6, 40)).clone(20)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstBridgeMaxHops.setStatus('current') agentStpCstBridgePriority = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 61440)).clone(32768)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstBridgePriority.setStatus('current') agentStpCstBridgeHoldCount = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 10)).clone(6)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstBridgeHoldCount.setStatus('current') agentStpCstPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9), ) if mibBuilder.loadTexts: agentStpCstPortTable.setStatus('current') agentStpCstPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentStpCstPortEntry.setStatus('current') agentStpCstPortOperEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortOperEdge.setStatus('current') agentStpCstPortOperPointToPoint = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortOperPointToPoint.setStatus('current') agentStpCstPortTopologyChangeAck = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortTopologyChangeAck.setStatus('current') agentStpCstPortEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortEdge.setStatus('current') agentStpCstPortForwardingState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("discarding", 1), ("learning", 2), ("forwarding", 3), ("disabled", 4), ("manualFwd", 5), ("notParticipate", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortForwardingState.setStatus('current') agentStpCstPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortId.setStatus('current') agentStpCstPortPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 200000000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortPathCost.setStatus('current') agentStpCstPortPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 240)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortPriority.setStatus('current') agentStpCstDesignatedBridgeId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 9), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstDesignatedBridgeId.setStatus('current') agentStpCstDesignatedCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 10), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstDesignatedCost.setStatus('current') agentStpCstDesignatedPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 11), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstDesignatedPortId.setStatus('current') agentStpCstExtPortPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 200000000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstExtPortPathCost.setStatus('current') agentStpCstPortBpduGuardEffect = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpCstPortBpduGuardEffect.setStatus('current') agentStpCstPortBpduFilter = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortBpduFilter.setStatus('current') agentStpCstPortBpduFlood = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortBpduFlood.setStatus('current') agentStpCstPortAutoEdge = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortAutoEdge.setStatus('current') agentStpCstPortRootGuard = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortRootGuard.setStatus('current') agentStpCstPortTCNGuard = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortTCNGuard.setStatus('current') agentStpCstPortLoopGuard = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpCstPortLoopGuard.setStatus('current') agentStpMstTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10), ) if mibBuilder.loadTexts: agentStpMstTable.setStatus('current') agentStpMstEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentStpMstId")) if mibBuilder.loadTexts: agentStpMstEntry.setStatus('current') agentStpMstId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 1), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstId.setStatus('current') agentStpMstBridgePriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 61440))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpMstBridgePriority.setStatus('current') agentStpMstBridgeIdentifier = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 3), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstBridgeIdentifier.setStatus('current') agentStpMstDesignatedRootId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 4), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstDesignatedRootId.setStatus('current') agentStpMstRootPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 5), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstRootPathCost.setStatus('current') agentStpMstRootPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 6), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstRootPortId.setStatus('current') agentStpMstTimeSinceTopologyChange = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 7), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstTimeSinceTopologyChange.setStatus('current') agentStpMstTopologyChangeCount = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstTopologyChangeCount.setStatus('current') agentStpMstTopologyChangeParm = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("true", 1), ("false", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstTopologyChangeParm.setStatus('current') agentStpMstRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 10), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStpMstRowStatus.setStatus('current') agentStpMstPortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11), ) if mibBuilder.loadTexts: agentStpMstPortTable.setStatus('current') agentStpMstPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentStpMstId"), (0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentStpMstPortEntry.setStatus('current') agentStpMstPortForwardingState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("discarding", 1), ("learning", 2), ("forwarding", 3), ("disabled", 4), ("manualFwd", 5), ("notParticipate", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstPortForwardingState.setStatus('current') agentStpMstPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstPortId.setStatus('current') agentStpMstPortPathCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 200000000))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpMstPortPathCost.setStatus('current') agentStpMstPortPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 240)).clone(128)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpMstPortPriority.setStatus('current') agentStpMstDesignatedBridgeId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 5), OctetString().subtype(subtypeSpec=ValueSizeConstraint(8, 8)).setFixedLength(8)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstDesignatedBridgeId.setStatus('current') agentStpMstDesignatedCost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 6), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstDesignatedCost.setStatus('current') agentStpMstDesignatedPortId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 7), OctetString().subtype(subtypeSpec=ValueSizeConstraint(2, 2)).setFixedLength(2)).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstDesignatedPortId.setStatus('current') agentStpMstPortLoopInconsistentState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstPortLoopInconsistentState.setStatus('current') agentStpMstPortTransitionsIntoLoopInconsistentState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstPortTransitionsIntoLoopInconsistentState.setStatus('current') agentStpMstPortTransitionsOutOfLoopInconsistentState = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentStpMstPortTransitionsOutOfLoopInconsistentState.setStatus('current') agentStpMstVlanTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12), ) if mibBuilder.loadTexts: agentStpMstVlanTable.setStatus('current') agentStpMstVlanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentStpMstId"), (0, "Q-BRIDGE-MIB", "dot1qVlanIndex")) if mibBuilder.loadTexts: agentStpMstVlanEntry.setStatus('current') agentStpMstVlanRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12, 1, 1), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStpMstVlanRowStatus.setStatus('current') agentStpBpduGuardMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpBpduGuardMode.setStatus('current') agentStpBpduFilterDefault = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpBpduFilterDefault.setStatus('current') agentStpUplinkFast = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStpUplinkFast.setStatus('current') agentAuthenticationGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16)) agentAuthenticationListCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 1), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 15), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListCreate.setStatus('current') agentAuthenticationEnableListCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 7), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 15), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationEnableListCreate.setStatus('current') agentAuthenticationListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2), ) if mibBuilder.loadTexts: agentAuthenticationListTable.setStatus('current') agentAuthenticationListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentAuthenticationListIndex")) if mibBuilder.loadTexts: agentAuthenticationListEntry.setStatus('current') agentAuthenticationListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentAuthenticationListIndex.setStatus('current') agentAuthenticationListName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListName.setStatus('current') agentAuthenticationListMethod1 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod1.setStatus('current') agentAuthenticationListMethod2 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod2.setStatus('current') agentAuthenticationListMethod3 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod3.setStatus('current') agentAuthenticationListStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListStatus.setStatus('current') agentAuthenticationListMethod4 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod4.setStatus('current') agentAuthenticationListMethod5 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod5.setStatus('current') agentAuthenticationListMethod6 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("undefined", 0), ("enable", 1), ("line", 2), ("local", 3), ("none", 4), ("radius", 5), ("tacacs", 6), ("ias", 7), ("reject", 8), ("ldap", 9)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAuthenticationListMethod6.setStatus('current') agentAuthenticationListAccessType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("unknown", 0), ("console", 1), ("telnet", 2), ("ssh", 3), ("https", 4), ("http", 5), ("dot1x", 6), ("cts", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentAuthenticationListAccessType.setStatus('current') agentAuthenticationListAccessLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("login", 1), ("enable", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentAuthenticationListAccessLevel.setStatus('current') agentUserConfigDefaultAuthenticationList = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserConfigDefaultAuthenticationList.setStatus('current') agentUserConfigDefaultAuthenticationDot1xList = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserConfigDefaultAuthenticationDot1xList.setStatus('current') agentUserAuthenticationConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4), ) if mibBuilder.loadTexts: agentUserAuthenticationConfigTable.setStatus('current') agentUserAuthenticationConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1), ) agentUserConfigEntry.registerAugmentions(("SWITCHING-MIB", "agentUserAuthenticationConfigEntry")) agentUserAuthenticationConfigEntry.setIndexNames(*agentUserConfigEntry.getIndexNames()) if mibBuilder.loadTexts: agentUserAuthenticationConfigEntry.setStatus('current') agentUserAuthenticationList = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserAuthenticationList.setStatus('current') agentUserAuthenticationDot1xList = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserAuthenticationDot1xList.setStatus('current') agentUserPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5), ) if mibBuilder.loadTexts: agentUserPortConfigTable.setStatus('current') agentUserPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5, 1), ) agentUserConfigEntry.registerAugmentions(("SWITCHING-MIB", "agentUserPortConfigEntry")) agentUserPortConfigEntry.setIndexNames(*agentUserConfigEntry.getIndexNames()) if mibBuilder.loadTexts: agentUserPortConfigEntry.setStatus('current') agentUserPortSecurity = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5, 1, 1), AgentPortMask()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUserPortSecurity.setStatus('current') agentClassOfServiceGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17)) agentClassOfServicePortTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1), ) if mibBuilder.loadTexts: agentClassOfServicePortTable.setStatus('current') agentClassOfServicePortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1), ).setIndexNames((0, "IF-MIB", "ifIndex"), (0, "SWITCHING-MIB", "agentClassOfServicePortPriority")) if mibBuilder.loadTexts: agentClassOfServicePortEntry.setStatus('current') agentClassOfServicePortPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))) if mibBuilder.loadTexts: agentClassOfServicePortPriority.setStatus('current') agentClassOfServicePortClass = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 7))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClassOfServicePortClass.setStatus('current') agentHTTPConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19)) agentHTTPMaxSessions = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 16))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentHTTPMaxSessions.setStatus('current') agentHTTPHardTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 168))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentHTTPHardTimeout.setStatus('current') agentHTTPSoftTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 60))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentHTTPSoftTimeout.setStatus('current') agentAutoInstallConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20)) agentAutoinstallPersistentMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallPersistentMode.setStatus('current') agentAutoinstallAutosaveMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallAutosaveMode.setStatus('current') agentAutoinstallUnicastRetryCount = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 3))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallUnicastRetryCount.setStatus('current') agentAutoinstallStatus = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 4), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentAutoinstallStatus.setStatus('current') agentAutoinstallAutoRebootMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallAutoRebootMode.setStatus('current') agentAutoinstallOperationalMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallOperationalMode.setStatus('current') agentAutoinstallAutoUpgradeMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentAutoinstallAutoUpgradeMode.setStatus('current') agentLDAPConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25)) agentLDAPServerIP = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 1), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLDAPServerIP.setStatus('current') agentLDAPServerPort = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLDAPServerPort.setStatus('current') agentLDAPBaseDn = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLDAPBaseDn.setStatus('current') agentLDAPRacName = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLDAPRacName.setStatus('current') agentLDAPRacDomain = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentLDAPRacDomain.setStatus('current') agentDDnsConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26)) agentDDnsConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1), ) if mibBuilder.loadTexts: agentDDnsConfigTable.setStatus('current') agentDDnsConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDDnsIndex")) if mibBuilder.loadTexts: agentDDnsConfigEntry.setStatus('current') agentDDnsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentDDnsIndex.setStatus('current') agentDDnsServName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("easydns", 0), ("dyndns", 1), ("dhs", 2), ("ods", 3), ("dyns", 4), ("zoneedit", 5), ("tzo", 6)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDDnsServName.setStatus('current') agentDDnsUserName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 3), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDDnsUserName.setStatus('current') agentDDnsPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDDnsPassword.setStatus('current') agentDDnsHost = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 5), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 44))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDDnsHost.setStatus('current') agentDDnsAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 6), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15)).clone('0.0.0.0')).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDDnsAddress.setStatus('current') agentDDnsStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 7), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDDnsStatus.setStatus('current') agentUdldConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28)) agentUdldMessageTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 1), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(7, 90))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUdldMessageTime.setStatus('current') agentUdldConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2), ) if mibBuilder.loadTexts: agentUdldConfigTable.setStatus('current') agentUdldConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentUdldIndex")) if mibBuilder.loadTexts: agentUdldConfigEntry.setStatus('current') agentUdldIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 1), Unsigned32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentUdldIndex.setStatus('current') agentUdldIntfAdminMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUdldIntfAdminMode.setStatus('current') agentUdldIntfAggressiveMode = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentUdldIntfAggressiveMode.setStatus('current') agentSystemGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3)) agentSaveConfig = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSaveConfig.setStatus('current') agentClearConfig = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearConfig.setStatus('current') agentClearLags = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearLags.setStatus('current') agentClearLoginSessions = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearLoginSessions.setStatus('current') agentClearPasswords = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearPasswords.setStatus('current') agentClearPortStats = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearPortStats.setStatus('current') agentClearSwitchStats = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearSwitchStats.setStatus('current') agentClearBufferedLog = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearBufferedLog.setStatus('current') agentClearTrapLog = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearTrapLog.setStatus('current') agentClearVlan = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentClearVlan.setStatus('current') agentResetSystem = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentResetSystem.setStatus('current') agentConfigCurrentSystemTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 14), DisplayString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentConfigCurrentSystemTime.setStatus('current') agentCpuLoad = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 15), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentCpuLoad.setStatus('current') agentCpuLoadOneMin = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 16), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentCpuLoadOneMin.setStatus('current') agentCpuLoadFiveMin = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 17), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentCpuLoadFiveMin.setStatus('current') agentStartupConfigErase = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1))).clone(namedValues=NamedValues(("erase", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentStartupConfigErase.setStatus('obsolete') agentDaiConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21)) agentDaiSrcMacValidate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiSrcMacValidate.setStatus('current') agentDaiDstMacValidate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiDstMacValidate.setStatus('current') agentDaiIPValidate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 3), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiIPValidate.setStatus('current') agentDaiVlanConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4), ) if mibBuilder.loadTexts: agentDaiVlanConfigTable.setStatus('current') agentDaiVlanConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDaiVlanIndex")) if mibBuilder.loadTexts: agentDaiVlanConfigEntry.setStatus('current') agentDaiVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 1), VlanIndex()) if mibBuilder.loadTexts: agentDaiVlanIndex.setStatus('current') agentDaiVlanDynArpInspEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiVlanDynArpInspEnable.setStatus('current') agentDaiVlanLoggingEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 3), TruthValue().clone('true')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiVlanLoggingEnable.setStatus('current') agentDaiVlanArpAclName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiVlanArpAclName.setStatus('current') agentDaiVlanArpAclStaticFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 5), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiVlanArpAclStaticFlag.setStatus('current') agentDaiStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiStatsReset.setStatus('current') agentDaiVlanStatsTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6), ) if mibBuilder.loadTexts: agentDaiVlanStatsTable.setStatus('current') agentDaiVlanStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDaiVlanStatsIndex")) if mibBuilder.loadTexts: agentDaiVlanStatsEntry.setStatus('current') agentDaiVlanStatsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 1), VlanIndex()) if mibBuilder.loadTexts: agentDaiVlanStatsIndex.setStatus('current') agentDaiVlanPktsForwarded = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanPktsForwarded.setStatus('current') agentDaiVlanPktsDropped = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanPktsDropped.setStatus('current') agentDaiVlanDhcpDrops = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanDhcpDrops.setStatus('current') agentDaiVlanDhcpPermits = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanDhcpPermits.setStatus('current') agentDaiVlanAclDrops = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanAclDrops.setStatus('current') agentDaiVlanAclPermits = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanAclPermits.setStatus('current') agentDaiVlanSrcMacFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanSrcMacFailures.setStatus('current') agentDaiVlanDstMacFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 9), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanDstMacFailures.setStatus('current') agentDaiVlanIpValidFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 10), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDaiVlanIpValidFailures.setStatus('current') agentDaiIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7), ) if mibBuilder.loadTexts: agentDaiIfConfigTable.setStatus('current') agentDaiIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentDaiIfConfigEntry.setStatus('current') agentDaiIfTrustEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiIfTrustEnable.setStatus('current') agentDaiIfRateLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 300), )).clone(15)).setUnits('packets per second').setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiIfRateLimit.setStatus('current') agentDaiIfBurstInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 15)).clone(1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDaiIfBurstInterval.setStatus('current') agentArpAclGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22)) agentArpAclTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1), ) if mibBuilder.loadTexts: agentArpAclTable.setStatus('current') agentArpAclEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentArpAclName")) if mibBuilder.loadTexts: agentArpAclEntry.setStatus('current') agentArpAclName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1, 1), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 31))).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentArpAclName.setStatus('current') agentArpAclRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1, 2), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentArpAclRowStatus.setStatus('current') agentArpAclRuleTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2), ) if mibBuilder.loadTexts: agentArpAclRuleTable.setStatus('current') agentArpAclRuleEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentArpAclName"), (0, "SWITCHING-MIB", "agentArpAclRuleMatchSenderIpAddr"), (0, "SWITCHING-MIB", "agentArpAclRuleMatchSenderMacAddr")) if mibBuilder.loadTexts: agentArpAclRuleEntry.setStatus('current') agentArpAclRuleMatchSenderIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 1), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentArpAclRuleMatchSenderIpAddr.setStatus('current') agentArpAclRuleMatchSenderMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 2), MacAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentArpAclRuleMatchSenderMacAddr.setStatus('current') agentArpAclRuleRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentArpAclRuleRowStatus.setStatus('current') agentDhcpSnoopingConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23)) agentDhcpSnoopingAdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingAdminMode.setStatus('current') agentDhcpSnoopingVerifyMac = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingVerifyMac.setStatus('current') agentDhcpSnoopingVlanConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3), ) if mibBuilder.loadTexts: agentDhcpSnoopingVlanConfigTable.setStatus('current') agentDhcpSnoopingVlanConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDhcpSnoopingVlanIndex")) if mibBuilder.loadTexts: agentDhcpSnoopingVlanConfigEntry.setStatus('current') agentDhcpSnoopingVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1, 1), VlanIndex()) if mibBuilder.loadTexts: agentDhcpSnoopingVlanIndex.setStatus('current') agentDhcpSnoopingVlanEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingVlanEnable.setStatus('current') agentDhcpSnoopingIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4), ) if mibBuilder.loadTexts: agentDhcpSnoopingIfConfigTable.setStatus('current') agentDhcpSnoopingIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentDhcpSnoopingIfConfigEntry.setStatus('current') agentDhcpSnoopingIfTrustEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingIfTrustEnable.setStatus('current') agentDhcpSnoopingIfLogEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingIfLogEnable.setStatus('current') agentDhcpSnoopingIfRateLimit = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(0, 300), )).clone(-1)).setUnits('packets per second').setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingIfRateLimit.setStatus('current') agentDhcpSnoopingIfBurstInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(-1, -1), ValueRangeConstraint(1, 15), )).clone(-1)).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingIfBurstInterval.setStatus('current') agentIpsgIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5), ) if mibBuilder.loadTexts: agentIpsgIfConfigTable.setStatus('current') agentIpsgIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentIpsgIfConfigEntry.setStatus('current') agentIpsgIfVerifySource = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIpsgIfVerifySource.setStatus('current') agentIpsgIfPortSecurity = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIpsgIfPortSecurity.setStatus('current') agentDhcpSnoopingStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingStatsReset.setStatus('current') agentDhcpSnoopingStatsTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7), ) if mibBuilder.loadTexts: agentDhcpSnoopingStatsTable.setStatus('current') agentDhcpSnoopingStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentDhcpSnoopingStatsEntry.setStatus('current') agentDhcpSnoopingMacVerifyFailures = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpSnoopingMacVerifyFailures.setStatus('current') agentDhcpSnoopingInvalidClientMessages = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpSnoopingInvalidClientMessages.setStatus('current') agentDhcpSnoopingInvalidServerMessages = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpSnoopingInvalidServerMessages.setStatus('current') agentStaticIpsgBindingTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8), ) if mibBuilder.loadTexts: agentStaticIpsgBindingTable.setStatus('current') agentStaticIpsgBinding = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentStaticIpsgBindingIfIndex"), (0, "SWITCHING-MIB", "agentStaticIpsgBindingVlanId"), (0, "SWITCHING-MIB", "agentStaticIpsgBindingMacAddr"), (0, "SWITCHING-MIB", "agentStaticIpsgBindingIpAddr")) if mibBuilder.loadTexts: agentStaticIpsgBinding.setStatus('current') agentStaticIpsgBindingIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 1), InterfaceIndex()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticIpsgBindingIfIndex.setStatus('current') agentStaticIpsgBindingVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 2), VlanIndex()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticIpsgBindingVlanId.setStatus('current') agentStaticIpsgBindingMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 3), MacAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticIpsgBindingMacAddr.setStatus('current') agentStaticIpsgBindingIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 4), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticIpsgBindingIpAddr.setStatus('current') agentStaticIpsgBindingRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticIpsgBindingRowStatus.setStatus('current') agentDynamicIpsgBindingTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9), ) if mibBuilder.loadTexts: agentDynamicIpsgBindingTable.setStatus('current') agentDynamicIpsgBinding = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDynamicIpsgBindingIfIndex"), (0, "SWITCHING-MIB", "agentDynamicIpsgBindingVlanId"), (0, "SWITCHING-MIB", "agentDynamicIpsgBindingMacAddr"), (0, "SWITCHING-MIB", "agentDynamicIpsgBindingIpAddr")) if mibBuilder.loadTexts: agentDynamicIpsgBinding.setStatus('current') agentDynamicIpsgBindingIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 1), InterfaceIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicIpsgBindingIfIndex.setStatus('current') agentDynamicIpsgBindingVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 2), VlanIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicIpsgBindingVlanId.setStatus('current') agentDynamicIpsgBindingMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 3), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicIpsgBindingMacAddr.setStatus('current') agentDynamicIpsgBindingIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicIpsgBindingIpAddr.setStatus('current') agentStaticDsBindingTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10), ) if mibBuilder.loadTexts: agentStaticDsBindingTable.setStatus('current') agentStaticDsBinding = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentStaticDsBindingMacAddr")) if mibBuilder.loadTexts: agentStaticDsBinding.setStatus('current') agentStaticDsBindingIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 1), InterfaceIndex()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticDsBindingIfIndex.setStatus('current') agentStaticDsBindingVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 2), VlanId()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticDsBindingVlanId.setStatus('current') agentStaticDsBindingMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 3), MacAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticDsBindingMacAddr.setStatus('current') agentStaticDsBindingIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 4), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticDsBindingIpAddr.setStatus('current') agentStaticDsBindingRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 5), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentStaticDsBindingRowStatus.setStatus('current') agentDynamicDsBindingTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11), ) if mibBuilder.loadTexts: agentDynamicDsBindingTable.setStatus('current') agentDynamicDsBinding = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDynamicDsBindingMacAddr")) if mibBuilder.loadTexts: agentDynamicDsBinding.setStatus('current') agentDynamicDsBindingIfIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 1), InterfaceIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicDsBindingIfIndex.setStatus('current') agentDynamicDsBindingVlanId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 2), VlanIndex()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicDsBindingVlanId.setStatus('current') agentDynamicDsBindingMacAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 3), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicDsBindingMacAddr.setStatus('current') agentDynamicDsBindingIpAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 4), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicDsBindingIpAddr.setStatus('current') agentDynamicDsBindingLeaseRemainingTime = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 5), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDynamicDsBindingLeaseRemainingTime.setStatus('current') agentDhcpSnoopingRemoteFileName = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 12), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingRemoteFileName.setStatus('current') agentDhcpSnoopingRemoteIpAddr = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 13), IpAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingRemoteIpAddr.setStatus('current') agentDhcpSnoopingStoreInterval = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 14), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingStoreInterval.setStatus('current') agentDhcpSnoopingStoreTimeout = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 15), Unsigned32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpSnoopingStoreTimeout.setStatus('current') agentDNSConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18)) agentDNSConfigDomainLookupStatus = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigDomainLookupStatus.setStatus('current') agentDNSConfigDefaultDomainName = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 64))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigDefaultDomainName.setStatus('current') agentDNSConfigDefaultDomainNameRemove = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigDefaultDomainNameRemove.setStatus('current') agentDNSConfigDomainNameListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4), ) if mibBuilder.loadTexts: agentDNSConfigDomainNameListTable.setStatus('current') agentDNSConfigDomainNameListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDNSConfigDomainNameListIndex")) if mibBuilder.loadTexts: agentDNSConfigDomainNameListEntry.setStatus('current') agentDNSConfigDomainNameListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigDomainNameListIndex.setStatus('current') agentDNSDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 2), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDNSDomainName.setStatus('current') agentDNSDomainNameRemove = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSDomainNameRemove.setStatus('current') agentDNSConfigNameServerListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5), ) if mibBuilder.loadTexts: agentDNSConfigNameServerListTable.setStatus('current') agentDNSConfigNameServerListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDNSConfigNameServerListIndex")) if mibBuilder.loadTexts: agentDNSConfigNameServerListEntry.setStatus('current') agentDNSConfigNameServerListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigNameServerListIndex.setStatus('current') agentDNSConfigNameServer = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 2), IpAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDNSConfigNameServer.setStatus('current') agentDNSConfigRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigRequest.setStatus('current') agentDNSConfigResponse = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigResponse.setStatus('current') agentDNSConfigNameServerRemove = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigNameServerRemove.setStatus('current') agentIPv6DNSConfigNameServerListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13), ) if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListTable.setStatus('current') agentIPv6DNSConfigNameServerListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentIPv6DNSConfigNameServerListIndex")) if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListEntry.setStatus('current') agentIPv6DNSConfigNameServerListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListIndex.setStatus('current') agentIPv6DNSConfigNameServer = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 2), Ipv6Address()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentIPv6DNSConfigNameServer.setStatus('current') agentIPv6DNSConfigRequest = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigRequest.setStatus('current') agentIPv6DNSConfigResponse = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigResponse.setStatus('current') agentIPv6DNSConfigNameServerRemove = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerRemove.setStatus('current') agentDNSConfigCacheTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6), ) if mibBuilder.loadTexts: agentDNSConfigCacheTable.setStatus('current') agentDNSConfigCacheEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDNSConfigCacheIndex")) if mibBuilder.loadTexts: agentDNSConfigCacheEntry.setStatus('current') agentDNSConfigCacheIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigCacheIndex.setStatus('current') agentDNSConfigDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigDomainName.setStatus('current') agentDNSConfigIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigIpAddress.setStatus('current') agentDNSConfigTTL = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigTTL.setStatus('current') agentDNSConfigFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigFlag.setStatus('current') agentIPv6DNSConfigCacheTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14), ) if mibBuilder.loadTexts: agentIPv6DNSConfigCacheTable.setStatus('current') agentIPv6DNSConfigCacheEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentIPv6DNSConfigCacheIndex")) if mibBuilder.loadTexts: agentIPv6DNSConfigCacheEntry.setStatus('current') agentIPv6DNSConfigCacheIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigCacheIndex.setStatus('current') agentIPv6DNSConfigDomainName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigDomainName.setStatus('current') agentIPv6DNSConfigIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 3), Ipv6Address()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigIpAddress.setStatus('current') agentIPv6DNSConfigTTL = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigTTL.setStatus('current') agentIPv6DNSConfigFlag = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 5), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigFlag.setStatus('current') agentDNSConfigHostTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7), ) if mibBuilder.loadTexts: agentDNSConfigHostTable.setStatus('current') agentDNSConfigHostEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDNSConfigHostIndex")) if mibBuilder.loadTexts: agentDNSConfigHostEntry.setStatus('current') agentDNSConfigHostIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDNSConfigHostIndex.setStatus('current') agentDNSConfigHostName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 2), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDNSConfigHostName.setStatus('current') agentDNSConfigHostIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 3), InetAddress()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentDNSConfigHostIpAddress.setStatus('current') agentDNSConfigHostNameRemove = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigHostNameRemove.setStatus('current') agentIPv6DNSConfigHostTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15), ) if mibBuilder.loadTexts: agentIPv6DNSConfigHostTable.setStatus('current') agentDNSConfigSourceInterface = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 16), InterfaceIndexOrZero()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigSourceInterface.setStatus('current') agentIPv6DNSConfigHostEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentIPv6DNSConfigHostIndex")) if mibBuilder.loadTexts: agentIPv6DNSConfigHostEntry.setStatus('current') agentIPv6DNSConfigHostIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6DNSConfigHostIndex.setStatus('obsolete') agentIPv6DNSConfigHostName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 2), DisplayString()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentIPv6DNSConfigHostName.setStatus('obsolete') agentIPv6DNSConfigHostIpAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 3), Ipv6Address()).setMaxAccess("readcreate") if mibBuilder.loadTexts: agentIPv6DNSConfigHostIpAddress.setStatus('obsolete') agentIPv6DNSConfigHostNameRemove = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentIPv6DNSConfigHostNameRemove.setStatus('obsolete') agentDNSConfigClearDomainNameList = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigClearDomainNameList.setStatus('current') agentDNSConfigClearCache = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigClearCache.setStatus('current') agentDNSConfigClearHosts = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigClearHosts.setStatus('current') agentDNSConfigClearDNS = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigClearDNS.setStatus('current') agentDNSConfigClearDNSCounters = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2))).clone('disable')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDNSConfigClearDNSCounters.setStatus('current') agentDhcpL2RelayConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24)) agentDhcpL2RelayAdminMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayAdminMode.setStatus('current') agentDhcpL2RelayIfConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2), ) if mibBuilder.loadTexts: agentDhcpL2RelayIfConfigTable.setStatus('current') agentDhcpL2RelayIfConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentDhcpL2RelayIfConfigEntry.setStatus('current') agentDhcpL2RelayIfEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayIfEnable.setStatus('current') agentDhcpL2RelayIfTrustEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayIfTrustEnable.setStatus('current') agentDhcpL2RelayVlanConfigTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3), ) if mibBuilder.loadTexts: agentDhcpL2RelayVlanConfigTable.setStatus('current') agentDhcpL2RelayVlanConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentDhcpL2RelayVlanIndex")) if mibBuilder.loadTexts: agentDhcpL2RelayVlanConfigEntry.setStatus('current') agentDhcpL2RelayVlanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 1), VlanIndex()) if mibBuilder.loadTexts: agentDhcpL2RelayVlanIndex.setStatus('current') agentDhcpL2RelayVlanEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 2), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayVlanEnable.setStatus('current') agentDhcpL2RelayCircuitIdVlanEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 3), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayCircuitIdVlanEnable.setStatus('current') agentDhcpL2RelayRemoteIdVlanEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 4), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 32))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayRemoteIdVlanEnable.setStatus('current') agentDhcpL2RelayStatsReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpL2RelayStatsReset.setStatus('current') agentDhcpL2RelayStatsTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7), ) if mibBuilder.loadTexts: agentDhcpL2RelayStatsTable.setStatus('current') agentDhcpL2RelayStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1), ).setIndexNames((0, "IF-MIB", "ifIndex")) if mibBuilder.loadTexts: agentDhcpL2RelayStatsEntry.setStatus('current') agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82.setStatus('current') agentDhcpL2RelayUntrustedClntMsgsWithOptn82 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpL2RelayUntrustedClntMsgsWithOptn82.setStatus('current') agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82.setStatus('current') agentDhcpL2RelayTrustedClntMsgsWithoutOptn82 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentDhcpL2RelayTrustedClntMsgsWithoutOptn82.setStatus('current') agentSwitchVoiceVLANGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25)) agentSwitchVoiceVlanDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2), ) if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceTable.setStatus('current') agentSwitchVoiceVlanDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSwitchVoiceVlanInterfaceNum"), (0, "SWITCHING-MIB", "agentSwitchVoiceVlanDeviceMacAddress")) if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceEntry.setStatus('current') agentSwitchVoiceVlanInterfaceNum = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchVoiceVlanInterfaceNum.setStatus('current') agentSwitchVoiceVlanDeviceMacAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1, 2), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceMacAddress.setStatus('current') agentSwitchAddressConflictGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26)) agentSwitchAddressConflictDetectionStatus = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionStatus.setStatus('current') agentSwitchAddressConflictDetectionStatusReset = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("reset", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionStatusReset.setStatus('current') agentSwitchLastConflictingIPAddr = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 3), IpAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchLastConflictingIPAddr.setStatus('current') agentSwitchLastConflictingMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 4), MacAddress()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchLastConflictingMacAddr.setStatus('current') agentSwitchLastConflictReportedTime = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 5), TimeTicks()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSwitchLastConflictReportedTime.setStatus('current') agentSwitchConflictIPAddr = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 6), IpAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: agentSwitchConflictIPAddr.setStatus('current') agentSwitchConflictMacAddr = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 7), MacAddress()).setMaxAccess("accessiblefornotify") if mibBuilder.loadTexts: agentSwitchConflictMacAddr.setStatus('current') agentSwitchAddressConflictDetectionRun = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("none", 0), ("run", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionRun.setStatus('current') switchingTraps = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50)) multipleUsersTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 1)) if mibBuilder.loadTexts: multipleUsersTrap.setStatus('current') broadcastStormStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 2)) if mibBuilder.loadTexts: broadcastStormStartTrap.setStatus('obsolete') broadcastStormEndTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 3)) if mibBuilder.loadTexts: broadcastStormEndTrap.setStatus('obsolete') linkFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 4)) if mibBuilder.loadTexts: linkFailureTrap.setStatus('obsolete') vlanRequestFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 5)).setObjects(("Q-BRIDGE-MIB", "dot1qVlanIndex")) if mibBuilder.loadTexts: vlanRequestFailureTrap.setStatus('obsolete') vlanDeleteLastTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 6)).setObjects(("Q-BRIDGE-MIB", "dot1qVlanIndex")) if mibBuilder.loadTexts: vlanDeleteLastTrap.setStatus('current') vlanDefaultCfgFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 7)).setObjects(("Q-BRIDGE-MIB", "dot1qVlanIndex")) if mibBuilder.loadTexts: vlanDefaultCfgFailureTrap.setStatus('current') vlanRestoreFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 8)).setObjects(("Q-BRIDGE-MIB", "dot1qVlanIndex")) if mibBuilder.loadTexts: vlanRestoreFailureTrap.setStatus('obsolete') fanFailureTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 9)) if mibBuilder.loadTexts: fanFailureTrap.setStatus('obsolete') stpInstanceNewRootTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 10)).setObjects(("SWITCHING-MIB", "agentStpMstId")) if mibBuilder.loadTexts: stpInstanceNewRootTrap.setStatus('current') stpInstanceTopologyChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 11)).setObjects(("SWITCHING-MIB", "agentStpMstId")) if mibBuilder.loadTexts: stpInstanceTopologyChangeTrap.setStatus('current') powerSupplyStatusChangeTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 12)) if mibBuilder.loadTexts: powerSupplyStatusChangeTrap.setStatus('obsolete') failedUserLoginTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 13)) if mibBuilder.loadTexts: failedUserLoginTrap.setStatus('current') temperatureTooHighTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 14)) if mibBuilder.loadTexts: temperatureTooHighTrap.setStatus('current') stormControlDetectedTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 15)) if mibBuilder.loadTexts: stormControlDetectedTrap.setStatus('current') stormControlStopTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 16)) if mibBuilder.loadTexts: stormControlStopTrap.setStatus('current') userLockoutTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 17)) if mibBuilder.loadTexts: userLockoutTrap.setStatus('current') daiIntfErrorDisabledTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 18)).setObjects(("IF-MIB", "ifIndex")) if mibBuilder.loadTexts: daiIntfErrorDisabledTrap.setStatus('current') stpInstanceLoopInconsistentStartTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 19)).setObjects(("SWITCHING-MIB", "agentStpMstId"), ("IF-MIB", "ifIndex")) if mibBuilder.loadTexts: stpInstanceLoopInconsistentStartTrap.setStatus('current') stpInstanceLoopInconsistentEndTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 20)).setObjects(("SWITCHING-MIB", "agentStpMstId"), ("IF-MIB", "ifIndex")) if mibBuilder.loadTexts: stpInstanceLoopInconsistentEndTrap.setStatus('current') dhcpSnoopingIntfErrorDisabledTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 21)).setObjects(("IF-MIB", "ifIndex")) if mibBuilder.loadTexts: dhcpSnoopingIntfErrorDisabledTrap.setStatus('current') noStartupConfigTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 22)) if mibBuilder.loadTexts: noStartupConfigTrap.setStatus('current') agentSwitchIpAddressConflictTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 23)).setObjects(("SWITCHING-MIB", "agentSwitchConflictIPAddr"), ("SWITCHING-MIB", "agentSwitchConflictMacAddr")) if mibBuilder.loadTexts: agentSwitchIpAddressConflictTrap.setStatus('current') agentSwitchCpuRisingThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 24)).setObjects(("SWITCHING-MIB", "agentSwitchCpuProcessRisingThreshold"), ("SWITCHING-MIB", "agentSwitchCpuProcessName")) if mibBuilder.loadTexts: agentSwitchCpuRisingThresholdTrap.setStatus('current') agentSwitchCpuFallingThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 25)).setObjects(("SWITCHING-MIB", "agentSwitchCpuProcessFallingThreshold")) if mibBuilder.loadTexts: agentSwitchCpuFallingThresholdTrap.setStatus('current') agentSwitchCpuFreeMemBelowThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 26)).setObjects(("SWITCHING-MIB", "agentSwitchCpuProcessFreeMemoryThreshold")) if mibBuilder.loadTexts: agentSwitchCpuFreeMemBelowThresholdTrap.setStatus('current') agentSwitchCpuFreeMemAboveThresholdTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 27)).setObjects(("SWITCHING-MIB", "agentSwitchCpuProcessFreeMemoryThreshold")) if mibBuilder.loadTexts: agentSwitchCpuFreeMemAboveThresholdTrap.setStatus('current') configChangedTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 28)) if mibBuilder.loadTexts: configChangedTrap.setStatus('current') agentSwitchCpuMemInvalidTrap = NotificationType((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 29)) if mibBuilder.loadTexts: agentSwitchCpuMemInvalidTrap.setStatus('current') agentSdmPreferConfigEntry = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27)) agentSdmPreferCurrentTemplate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dualIPv4andIPv6", 1), ("ipv4RoutingDefault", 2), ("ipv4DataCenter", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentSdmPreferCurrentTemplate.setStatus('current') agentSdmPreferNextTemplate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("default", 0), ("dualIPv4andIPv6", 1), ("ipv4RoutingDefault", 2), ("ipv4DataCenter", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentSdmPreferNextTemplate.setStatus('current') agentSdmTemplateSummaryTable = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28)) agentSdmTemplateTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1), ) if mibBuilder.loadTexts: agentSdmTemplateTable.setStatus('current') agentSdmTemplateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentSdmTemplateId")) if mibBuilder.loadTexts: agentSdmTemplateEntry.setStatus('current') agentSdmTemplateId = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("dualIPv4andIPv6", 1), ("ipv4RoutingDefault", 2), ("ipv4DataCenter", 3)))) if mibBuilder.loadTexts: agentSdmTemplateId.setStatus('current') agentArpEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentArpEntries.setStatus('current') agentIPv4UnicastRoutes = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 3), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv4UnicastRoutes.setStatus('current') agentIPv6NdpEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6NdpEntries.setStatus('current') agentIPv6UnicastRoutes = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6UnicastRoutes.setStatus('current') agentEcmpNextHops = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentEcmpNextHops.setStatus('current') agentIPv4MulticastRoutes = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv4MulticastRoutes.setStatus('current') agentIPv6MulticastRoutes = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: agentIPv6MulticastRoutes.setStatus('current') agentDhcpClientOptionsConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21)) agentVendorClassOptionConfigGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1)) agentDhcpClientVendorClassIdMode = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1, 1), TruthValue().clone('false')).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpClientVendorClassIdMode.setStatus('current') agentDhcpClientVendorClassIdString = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 128))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentDhcpClientVendorClassIdString.setStatus('current') agentExecAccountingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29)) agentExecAccountingListCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 1), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 15), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentExecAccountingListCreate.setStatus('current') agentExecAccountingListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2), ) if mibBuilder.loadTexts: agentExecAccountingListTable.setStatus('current') agentExecAccountingListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentExecAccountingListIndex")) if mibBuilder.loadTexts: agentExecAccountingListEntry.setStatus('current') agentExecAccountingListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentExecAccountingListIndex.setStatus('current') agentExecAccountingListName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentExecAccountingListName.setStatus('current') agentExecAccountingMethodType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("undefined", 0), ("start-stop", 1), ("stop-only", 2), ("none", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentExecAccountingMethodType.setStatus('current') agentExecAccountingListMethod1 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("undefined", 0), ("tacacs", 1), ("radius", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentExecAccountingListMethod1.setStatus('current') agentExecAccountingListMethod2 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("undefined", 0), ("tacacs", 1), ("radius", 2)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentExecAccountingListMethod2.setStatus('current') agentExecAccountingListStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 6), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentExecAccountingListStatus.setStatus('current') agentCmdsAccountingGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30)) agentCmdsAccountingListCreate = MibScalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 1), DisplayString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(1, 15), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentCmdsAccountingListCreate.setStatus('current') agentCmdsAccountingListTable = MibTable((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2), ) if mibBuilder.loadTexts: agentCmdsAccountingListTable.setStatus('current') agentCmdsAccountingListEntry = MibTableRow((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1), ).setIndexNames((0, "SWITCHING-MIB", "agentCmdsAccountingListIndex")) if mibBuilder.loadTexts: agentCmdsAccountingListEntry.setStatus('current') agentCmdsAccountingListIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 1), Unsigned32()) if mibBuilder.loadTexts: agentCmdsAccountingListIndex.setStatus('current') agentCmdsAccountingListName = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 2), DisplayString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: agentCmdsAccountingListName.setStatus('current') agentCmdsAccountingMethodType = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("undefined", 0), ("start-stop", 1), ("stop-only", 2), ("none", 3)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentCmdsAccountingMethodType.setStatus('current') agentCmdsAccountingListMethod1 = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("undefined", 0), ("tacacs", 1)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentCmdsAccountingListMethod1.setStatus('current') agentCmdsAccountingListStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 5), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: agentCmdsAccountingListStatus.setStatus('current') mibBuilder.exportSymbols("SWITCHING-MIB", agentDNSConfigClearDNS=agentDNSConfigClearDNS, agentPasswordManagementStrengthMaxConsecutiveCharacters=agentPasswordManagementStrengthMaxConsecutiveCharacters, agentSwitchVlanMacAssociationVlanId=agentSwitchVlanMacAssociationVlanId, agentTransferUploadPassword=agentTransferUploadPassword, stormControlDetectedTrap=stormControlDetectedTrap, agentSerialHWFlowControlMode=agentSerialHWFlowControlMode, agentNetworkBurnedInMacAddress=agentNetworkBurnedInMacAddress, agentDaiStatsReset=agentDaiStatsReset, agentDaiVlanConfigEntry=agentDaiVlanConfigEntry, agentArpAclTable=agentArpAclTable, agentUserIndex=agentUserIndex, agentStpCstPortTable=agentStpCstPortTable, agentDynamicIpsgBindingTable=agentDynamicIpsgBindingTable, agentStaticDsBindingMacAddr=agentStaticDsBindingMacAddr, agentSwitchVoiceVlanDeviceMacAddress=agentSwitchVoiceVlanDeviceMacAddress, agentPortAutoNegAdminStatus=agentPortAutoNegAdminStatus, agentSwitchCpuProcessTotalUtilization=agentSwitchCpuProcessTotalUtilization, agentIpsgIfVerifySource=agentIpsgIfVerifySource, agentNextActiveImage=agentNextActiveImage, agentNetworkDhcp6RELEASEMessagesSent=agentNetworkDhcp6RELEASEMessagesSent, agentAuthenticationListAccessType=agentAuthenticationListAccessType, agentDhcpL2RelayIfConfigEntry=agentDhcpL2RelayIfConfigEntry, agentDaiVlanPktsDropped=agentDaiVlanPktsDropped, agentStaticIpsgBinding=agentStaticIpsgBinding, agentSnmpACLTrapFlag=agentSnmpACLTrapFlag, agentSwitchVoiceVLANGroup=agentSwitchVoiceVLANGroup, agentSwitchSnoopingIntfAdminMode=agentSwitchSnoopingIntfAdminMode, agentSnmpUserUsername=agentSnmpUserUsername, agentProtocolGroupPortIfIndex=agentProtocolGroupPortIfIndex, agentDNSConfigDomainNameListTable=agentDNSConfigDomainNameListTable, agentServicePortSubnetMask=agentServicePortSubnetMask, agentSwitchSnoopingVlanGroupMembershipInterval=agentSwitchSnoopingVlanGroupMembershipInterval, agentPortStatsRateHCBitsPerSecondRx=agentPortStatsRateHCBitsPerSecondRx, agentStpPortHelloTime=agentStpPortHelloTime, agentPortBroadcastControlThresholdUnit=agentPortBroadcastControlThresholdUnit, agentDaiConfigGroup=agentDaiConfigGroup, agentSwitchCpuFallingThresholdTrap=agentSwitchCpuFallingThresholdTrap, agentCmdsAccountingMethodType=agentCmdsAccountingMethodType, agentStpMstPortForwardingState=agentStpMstPortForwardingState, agentSwitchSnoopingQuerierVlanAdminMode=agentSwitchSnoopingQuerierVlanAdminMode, agentStpPortStatsStpBpduRx=agentStpPortStatsStpBpduRx, agentLagSummaryDeletePort=agentLagSummaryDeletePort, agentUdldIntfAggressiveMode=agentUdldIntfAggressiveMode, agentIPv4UnicastRoutes=agentIPv4UnicastRoutes, agentPasswordManagementAging=agentPasswordManagementAging, agentPortStatsRateHCPacketsPerSecondTx=agentPortStatsRateHCPacketsPerSecondTx, agentLoginSessionUserName=agentLoginSessionUserName, agentStpConfigDigestKey=agentStpConfigDigestKey, agentTransferUploadDataType=agentTransferUploadDataType, agentStpCstMaxAge=agentStpCstMaxAge, agentStpCstPortId=agentStpCstPortId, agentSnmpCommunityConfigEntry=agentSnmpCommunityConfigEntry, agentSnmpInformAdminMode=agentSnmpInformAdminMode, agentPasswordMgmtStrengthExcludeKeyword=agentPasswordMgmtStrengthExcludeKeyword, agentNetworkConfigIpDhcpRenew=agentNetworkConfigIpDhcpRenew, agentUserConfigCreate=agentUserConfigCreate, agentStpMstPortTransitionsIntoLoopInconsistentState=agentStpMstPortTransitionsIntoLoopInconsistentState, agentServicePortProtocolDhcpRenew=agentServicePortProtocolDhcpRenew, agentProtocolConfigGroup=agentProtocolConfigGroup, agentSwitchSnoopingPortMask=agentSwitchSnoopingPortMask, agentDaiVlanDhcpPermits=agentDaiVlanDhcpPermits, agentSnmpInformTimeout=agentSnmpInformTimeout, agentDaiVlanAclDrops=agentDaiVlanAclDrops, agentAutoinstallUnicastRetryCount=agentAutoinstallUnicastRetryCount, agentUserAuthenticationDot1xList=agentUserAuthenticationDot1xList, agentDhcpSnoopingIfTrustEnable=agentDhcpSnoopingIfTrustEnable, agentSwitchVlanSubnetAssociationIPAddress=agentSwitchVlanSubnetAssociationIPAddress, agentStpCstExtPortPathCost=agentStpCstExtPortPathCost, agentUserPassword=agentUserPassword, agentNetworkDhcp6StatsReset=agentNetworkDhcp6StatsReset, agentDNSConfigResponse=agentDNSConfigResponse, agentDNSConfigDefaultDomainNameRemove=agentDNSConfigDefaultDomainNameRemove, agentSwitchStaticMacFilteringVlanId=agentSwitchStaticMacFilteringVlanId, agentTransferUploadStatus=agentTransferUploadStatus, agentSwitchSnoopingQuerierCfgEntry=agentSwitchSnoopingQuerierCfgEntry, agentPortMirrorDestinationPort=agentPortMirrorDestinationPort, agentInventorySysDescription=agentInventorySysDescription, agentPortMirrorTypeType=agentPortMirrorTypeType, agentServicePortDefaultGateway=agentServicePortDefaultGateway, agentNetworkJavaMode=agentNetworkJavaMode, agentStpPortTable=agentStpPortTable, agentDNSConfigHostEntry=agentDNSConfigHostEntry, agentSwitchCpuMemInvalidTrap=agentSwitchCpuMemInvalidTrap, agentPasswordMgmtLastPasswordSetResult=agentPasswordMgmtLastPasswordSetResult, agentSwitchPortDVlanTagTable=agentSwitchPortDVlanTagTable, agentPortMaxFrameSizeLimit=agentPortMaxFrameSizeLimit, agentDDnsPassword=agentDDnsPassword, agentProtocolGroupProtocolARP=agentProtocolGroupProtocolARP, agentSwitchSnoopingProtocol=agentSwitchSnoopingProtocol, agentCpuLoadFiveMin=agentCpuLoadFiveMin, agentStpCstBridgeHoldTime=agentStpCstBridgeHoldTime, agentTransferDownloadPassword=agentTransferDownloadPassword, agentDhcpClientOptionsConfigGroup=agentDhcpClientOptionsConfigGroup, agentUserLockoutStatus=agentUserLockoutStatus, agentPortMaxFrameSize=agentPortMaxFrameSize, agentNetworkDhcp6REBINDMessagesSent=agentNetworkDhcp6REBINDMessagesSent, agentArpAclRowStatus=agentArpAclRowStatus, agentServicePortIpv6AddrStatus=agentServicePortIpv6AddrStatus, agentInventorySerialNumber=agentInventorySerialNumber, agentStpPortMigrationCheck=agentStpPortMigrationCheck, agentInventoryBurnedInMacAddress=agentInventoryBurnedInMacAddress, agentLoginSessionConnectionType=agentLoginSessionConnectionType, agentNetworkDhcp6REQUESTMessagesSent=agentNetworkDhcp6REQUESTMessagesSent, agentDot3adAggPortTable=agentDot3adAggPortTable, agentClearVlan=agentClearVlan, agentSwitchCpuProcessRisingThresholdInterval=agentSwitchCpuProcessRisingThresholdInterval, agentInventoryNetworkProcessingDevice=agentInventoryNetworkProcessingDevice, agentIPv6DNSConfigHostTable=agentIPv6DNSConfigHostTable, agentSnmpTrapReceiverSecurityLevel=agentSnmpTrapReceiverSecurityLevel, agentTransferDownloadUsername=agentTransferDownloadUsername, agentIASUserConfigTable=agentIASUserConfigTable, agentDNSConfigHostTable=agentDNSConfigHostTable, agentDhcpL2RelayCircuitIdVlanEnable=agentDhcpL2RelayCircuitIdVlanEnable, agentDaiIPValidate=agentDaiIPValidate, agentAuthenticationListTable=agentAuthenticationListTable, agentSwitchSnoopingQuerierVlanTable=agentSwitchSnoopingQuerierVlanTable, agentPasswordManagementStrengthExcludeKeywordTable=agentPasswordManagementStrengthExcludeKeywordTable, agentProtocolGroupProtocolID=agentProtocolGroupProtocolID, agentSnmpCommunityIPAddress=agentSnmpCommunityIPAddress, agentSwitchSnoopingQuerierAdminMode=agentSwitchSnoopingQuerierAdminMode, agentServicePortDhcp6ClientDuid=agentServicePortDhcp6ClientDuid, agentIpsgIfConfigEntry=agentIpsgIfConfigEntry, agentDNSConfigClearDomainNameList=agentDNSConfigClearDomainNameList, agentSwitchVlanSubnetAssociationEntry=agentSwitchVlanSubnetAssociationEntry, agentDaiVlanStatsTable=agentDaiVlanStatsTable, agentLagSummaryAddPort=agentLagSummaryAddPort, agentUserName=agentUserName, agentPortMirrorTypeSourcePort=agentPortMirrorTypeSourcePort, agentSwitchAddressConflictDetectionRun=agentSwitchAddressConflictDetectionRun, agentSnmpTrapReceiverVersion=agentSnmpTrapReceiverVersion, agentSwitchCpuProcessIndex=agentSwitchCpuProcessIndex, agentExecAccountingListMethod1=agentExecAccountingListMethod1, agentSdmPreferCurrentTemplate=agentSdmPreferCurrentTemplate, agentExecAccountingListTable=agentExecAccountingListTable, agentDhcpSnoopingIfRateLimit=agentDhcpSnoopingIfRateLimit, agentStpCstRegionalRootId=agentStpCstRegionalRootId, agentUserPortConfigTable=agentUserPortConfigTable, agentLoginSessionInetAddressType=agentLoginSessionInetAddressType, agentSnmpInformIpAddress=agentSnmpInformIpAddress, agentDNSConfigFlag=agentDNSConfigFlag, agentNetworkConfigProtocol=agentNetworkConfigProtocol, agentSwitchIfDVlanTagMode=agentSwitchIfDVlanTagMode, agentInfoGroup=agentInfoGroup, agentPortDefaultType=agentPortDefaultType, agentStpSwitchConfigGroup=agentStpSwitchConfigGroup, agentSupportedMibIndex=agentSupportedMibIndex, agentStpBpduGuardMode=agentStpBpduGuardMode, agentDDnsServName=agentDDnsServName, agentPortUnicastControlThresholdUnit=agentPortUnicastControlThresholdUnit, agentAutoinstallStatus=agentAutoinstallStatus, agentProtocolGroupCreate=agentProtocolGroupCreate, agentActiveImage=agentActiveImage, agentSwitchSnoopingAdminMode=agentSwitchSnoopingAdminMode, agentUdldMessageTime=agentUdldMessageTime, agentNetworkIpv6AddrEntry=agentNetworkIpv6AddrEntry, agentPortMulticastControlThresholdUnit=agentPortMulticastControlThresholdUnit, agentClearLoginSessions=agentClearLoginSessions, agentPortMirrorTypeEntry=agentPortMirrorTypeEntry, agentSwitchSnoopingQuerierAddress=agentSwitchSnoopingQuerierAddress, agentConfigCurrentSystemTime=agentConfigCurrentSystemTime, agentSwitchIfDVlanTagIfIndex=agentSwitchIfDVlanTagIfIndex, agentClearConfig=agentClearConfig, agentTransferConfigGroup=agentTransferConfigGroup, agentTransferUploadMode=agentTransferUploadMode, agentStaticDsBindingTable=agentStaticDsBindingTable, agentIASUserName=agentIASUserName, agentDhcpL2RelayVlanEnable=agentDhcpL2RelayVlanEnable, linkFailureTrap=linkFailureTrap, agentDhcpL2RelayIfConfigTable=agentDhcpL2RelayIfConfigTable, agentSwitchLastConflictingMacAddr=agentSwitchLastConflictingMacAddr, agentLagSummaryType=agentLagSummaryType, agentSwitchCpuRisingThresholdTrap=agentSwitchCpuRisingThresholdTrap, agentDNSConfigClearHosts=agentDNSConfigClearHosts, agentSwitchAddressConflictGroup=agentSwitchAddressConflictGroup, agentSwitchSnoopingVlanAdminMode=agentSwitchSnoopingVlanAdminMode, agentPortVoiceVlanOperationalStatus=agentPortVoiceVlanOperationalStatus, agentNetworkIpv6Gateway=agentNetworkIpv6Gateway, agentSwitchSnoopingQuerierCfgTable=agentSwitchSnoopingQuerierCfgTable, agentStpCstDesignatedBridgeId=agentStpCstDesignatedBridgeId, agentSwitchConflictIPAddr=agentSwitchConflictIPAddr, agentServicePortDhcp6REQUESTMessagesSent=agentServicePortDhcp6REQUESTMessagesSent, agentTelnetLoginTimeout=agentTelnetLoginTimeout, agentStpMstBridgePriority=agentStpMstBridgePriority, agentAuthenticationListMethod5=agentAuthenticationListMethod5, agentSnmpInformConfigEntry=agentSnmpInformConfigEntry, agentIPv6DNSConfigCacheEntry=agentIPv6DNSConfigCacheEntry, agentStpCstBridgeHoldCount=agentStpCstBridgeHoldCount, agentStpMstTable=agentStpMstTable, agentAuthenticationListMethod2=agentAuthenticationListMethod2, agentStpPortStatsStpBpduTx=agentStpPortStatsStpBpduTx, agentSwitchVoiceVlanDeviceTable=agentSwitchVoiceVlanDeviceTable, agentStpCstPortBpduFlood=agentStpCstPortBpduFlood, agentSwitchPortDVlanTagCustomerId=agentSwitchPortDVlanTagCustomerId, agentStpCstRegionalRootPathCost=agentStpCstRegionalRootPathCost, agentNetworkIpv6AddrEuiFlag=agentNetworkIpv6AddrEuiFlag, agentSnmpLinkUpDownTrapFlag=agentSnmpLinkUpDownTrapFlag, agentDDnsConfigTable=agentDDnsConfigTable, userLockoutTrap=userLockoutTrap, multipleUsersTrap=multipleUsersTrap, agentStaticDsBinding=agentStaticDsBinding, agentCmdsAccountingListTable=agentCmdsAccountingListTable, agentDNSConfigNameServerListTable=agentDNSConfigNameServerListTable, agentLagDetailedPortSpeed=agentLagDetailedPortSpeed, agentTrapLogTrap=agentTrapLogTrap, agentPortMirrorSourcePortMask=agentPortMirrorSourcePortMask, agentUserAccessMode=agentUserAccessMode, agentDNSConfigClearCache=agentDNSConfigClearCache, agentUserConfigDefaultAuthenticationDot1xList=agentUserConfigDefaultAuthenticationDot1xList, agentCpuLoad=agentCpuLoad, agentSwitchMFDBSummaryTable=agentSwitchMFDBSummaryTable, agentStpCstPortTCNGuard=agentStpCstPortTCNGuard, agentStaticIpsgBindingRowStatus=agentStaticIpsgBindingRowStatus, agentDhcpL2RelayStatsEntry=agentDhcpL2RelayStatsEntry, agentNetworkDefaultGateway=agentNetworkDefaultGateway, agentLoginSessionEntry=agentLoginSessionEntry, agentServicePortDhcp6REPLYMessagesDiscarded=agentServicePortDhcp6REPLYMessagesDiscarded, agentStpMstDesignatedPortId=agentStpMstDesignatedPortId, agentSwitchPortDVlanTagTPid=agentSwitchPortDVlanTagTPid, vlanRestoreFailureTrap=vlanRestoreFailureTrap, agentSnmpUserIndex=agentSnmpUserIndex, agentPortDot1dBasePort=agentPortDot1dBasePort, agentLagSummaryAdminMode=agentLagSummaryAdminMode, agentDhcpSnoopingVlanIndex=agentDhcpSnoopingVlanIndex, agentAutoInstallConfigGroup=agentAutoInstallConfigGroup, agentSwitchVlanSubnetAssociationSubnetMask=agentSwitchVlanSubnetAssociationSubnetMask, agentStpCstBridgeMaxAge=agentStpCstBridgeMaxAge, agentTransferDownloadStatus=agentTransferDownloadStatus, agentStpCstBridgePriority=agentStpCstBridgePriority, agentResetSystem=agentResetSystem, agentSnmpInformSecurityLevel=agentSnmpInformSecurityLevel, agentDaiIfTrustEnable=agentDaiIfTrustEnable, agentExecAccountingListMethod2=agentExecAccountingListMethod2, agentTransferUploadStart=agentTransferUploadStart, agentIPv6DNSConfigNameServer=agentIPv6DNSConfigNameServer, agentPortType=agentPortType, agentServicePortBurnedInMacAddress=agentServicePortBurnedInMacAddress, agentSwitchPortDVlanTagMode=agentSwitchPortDVlanTagMode, agentDNSConfigDefaultDomainName=agentDNSConfigDefaultDomainName, agentDynamicDsBindingTable=agentDynamicDsBindingTable, agentSwitchCpuProcessMemFree=agentSwitchCpuProcessMemFree, agentInventoryPartNumber=agentInventoryPartNumber, agentDNSConfigSourceInterface=agentDNSConfigSourceInterface, agentArpAclRuleTable=agentArpAclRuleTable, agentTransferUploadUsername=agentTransferUploadUsername, agentDNSConfigCacheTable=agentDNSConfigCacheTable, agentSwitchPortDVlanTagEntry=agentSwitchPortDVlanTagEntry, agentLagSummaryLinkTrap=agentLagSummaryLinkTrap, agentPasswordManagementStrengthMinUpperCase=agentPasswordManagementStrengthMinUpperCase, VlanList=VlanList, agentSnmpCommunityIPMask=agentSnmpCommunityIPMask, agentNetworkMgmtVlan=agentNetworkMgmtVlan, agentSdmPreferConfigEntry=agentSdmPreferConfigEntry, agentDNSConfigTTL=agentDNSConfigTTL, agentDaiIfRateLimit=agentDaiIfRateLimit) mibBuilder.exportSymbols("SWITCHING-MIB", agentSnmpTrapReceiverStatus=agentSnmpTrapReceiverStatus, agentSwitchMFDBType=agentSwitchMFDBType, agentSwitchDVlanTagEntry=agentSwitchDVlanTagEntry, agentUdldIntfAdminMode=agentUdldIntfAdminMode, agentExecAccountingListCreate=agentExecAccountingListCreate, agentClearSwitchStats=agentClearSwitchStats, agentIASUserConfigGroup=agentIASUserConfigGroup, agentStpCstPortPriority=agentStpCstPortPriority, agentIPv6DNSConfigDomainName=agentIPv6DNSConfigDomainName, agentAuthenticationListAccessLevel=agentAuthenticationListAccessLevel, agentCLIConfigGroup=agentCLIConfigGroup, agentDNSConfigDomainName=agentDNSConfigDomainName, stpInstanceLoopInconsistentEndTrap=stpInstanceLoopInconsistentEndTrap, agentSupportedMibName=agentSupportedMibName, agentSwitchVlanStaticMrouterTable=agentSwitchVlanStaticMrouterTable, agentDynamicDsBindingMacAddr=agentDynamicDsBindingMacAddr, agentPasswordManagementStrengthMinSpecialCharacters=agentPasswordManagementStrengthMinSpecialCharacters, agentSwitchDVlanTagPrimaryTPid=agentSwitchDVlanTagPrimaryTPid, agentInventoryMaintenanceLevel=agentInventoryMaintenanceLevel, agentDynamicIpsgBindingIfIndex=agentDynamicIpsgBindingIfIndex, agentDhcpSnoopingIfLogEnable=agentDhcpSnoopingIfLogEnable, agentUserConfigEntry=agentUserConfigEntry, agentStpMstTopologyChangeCount=agentStpMstTopologyChangeCount, agentSwitchLastConflictingIPAddr=agentSwitchLastConflictingIPAddr, agentSdmTemplateTable=agentSdmTemplateTable, agentStpMstDesignatedRootId=agentStpMstDesignatedRootId, agentServicePortIpv6AdminMode=agentServicePortIpv6AdminMode, agentSwitchProtectedPortEntry=agentSwitchProtectedPortEntry, agentSwitchMFDBGroup=agentSwitchMFDBGroup, agentDynamicIpsgBinding=agentDynamicIpsgBinding, agentSwitchSnoopingQuerierOperVersion=agentSwitchSnoopingQuerierOperVersion, agentDNSConfigNameServerListIndex=agentDNSConfigNameServerListIndex, agentPasswordManagementStrengthMinCharacterClasses=agentPasswordManagementStrengthMinCharacterClasses, agentDhcpSnoopingAdminMode=agentDhcpSnoopingAdminMode, agentStaticIpsgBindingIfIndex=agentStaticIpsgBindingIfIndex, agentNetworkIpv6AdminMode=agentNetworkIpv6AdminMode, agentSnmpUserAuthentication=agentSnmpUserAuthentication, agentAuthenticationListMethod4=agentAuthenticationListMethod4, agentDNSConfigDomainNameListEntry=agentDNSConfigDomainNameListEntry, agentDhcpL2RelayVlanIndex=agentDhcpL2RelayVlanIndex, agentSwitchSnoopingQuerierLastQuerierAddress=agentSwitchSnoopingQuerierLastQuerierAddress, agentPasswordManagementStrengthExcludeKeywordEntry=agentPasswordManagementStrengthExcludeKeywordEntry, agentDhcpL2RelayTrustedClntMsgsWithoutOptn82=agentDhcpL2RelayTrustedClntMsgsWithoutOptn82, agentSnmpInformConfigGroup=agentSnmpInformConfigGroup, agentDaiSrcMacValidate=agentDaiSrcMacValidate, agentLagSummaryFlushTimer=agentLagSummaryFlushTimer, agentLagConfigGroup=agentLagConfigGroup, agentImage1=agentImage1, agentSwitchSnoopingQuerierExpiryInterval=agentSwitchSnoopingQuerierExpiryInterval, agentStpCstPortBpduFilter=agentStpCstPortBpduFilter, agentDaiIfBurstInterval=agentDaiIfBurstInterval, agentNetworkWebMode=agentNetworkWebMode, agentDaiVlanStatsEntry=agentDaiVlanStatsEntry, agentUserAuthenticationType=agentUserAuthenticationType, agentIPv6DNSConfigResponse=agentIPv6DNSConfigResponse, agentLoginSessionStatus=agentLoginSessionStatus, agentPasswordManagementMinLength=agentPasswordManagementMinLength, agentSwitchSnoopingVlanEntry=agentSwitchSnoopingVlanEntry, agentSwitchVlanMacAssociationPriority=agentSwitchVlanMacAssociationPriority, agentArpAclName=agentArpAclName, agentNetworkDhcp6SOLICITMessagesSent=agentNetworkDhcp6SOLICITMessagesSent, agentTelnetAllowNewMode=agentTelnetAllowNewMode, agentProtocolGroupEntry=agentProtocolGroupEntry, agentDhcpL2RelayStatsTable=agentDhcpL2RelayStatsTable, agentSwitchSnoopingQuerierGroup=agentSwitchSnoopingQuerierGroup, agentStpCstRootFwdDelay=agentStpCstRootFwdDelay, agentStpPortEntry=agentStpPortEntry, agentSnmpMultipleUsersTrapFlag=agentSnmpMultipleUsersTrapFlag, agentProtocolGroupId=agentProtocolGroupId, agentClassOfServicePortTable=agentClassOfServicePortTable, agentTransferUploadStartupConfigFromSwitchSrcFilename=agentTransferUploadStartupConfigFromSwitchSrcFilename, broadcastStormEndTrap=broadcastStormEndTrap, agentSwitchMFDBSummaryVlanId=agentSwitchMFDBSummaryVlanId, agentNetworkLocalAdminMacAddress=agentNetworkLocalAdminMacAddress, agentPortLoadStatsInterval=agentPortLoadStatsInterval, agentDaiVlanAclPermits=agentDaiVlanAclPermits, agentCmdsAccountingListStatus=agentCmdsAccountingListStatus, agentAutoinstallPersistentMode=agentAutoinstallPersistentMode, agentDhcpSnoopingVlanEnable=agentDhcpSnoopingVlanEnable, agentLDAPConfigGroup=agentLDAPConfigGroup, agentDhcpClientVendorClassIdMode=agentDhcpClientVendorClassIdMode, agentLoginSessionIndex=agentLoginSessionIndex, agentLagSummaryLagIndex=agentLagSummaryLagIndex, agentUserEncryptionType=agentUserEncryptionType, agentPortSTPState=agentPortSTPState, agentIPv6DNSConfigCacheTable=agentIPv6DNSConfigCacheTable, agentPortVoiceVlanID=agentPortVoiceVlanID, agentTrapLogEntry=agentTrapLogEntry, agentSwitchIfDVlanTagEntry=agentSwitchIfDVlanTagEntry, agentServicePortIpv6AddrEuiFlag=agentServicePortIpv6AddrEuiFlag, agentDot3adAggPort=agentDot3adAggPort, agentSwitchConfigGroup=agentSwitchConfigGroup, agentLagDetailedIfIndex=agentLagDetailedIfIndex, agentNetworkDhcp6RENEWMessagesSent=agentNetworkDhcp6RENEWMessagesSent, agentUserPortSecurity=agentUserPortSecurity, agentIPv6DNSConfigNameServerListEntry=agentIPv6DNSConfigNameServerListEntry, agentDaiVlanConfigTable=agentDaiVlanConfigTable, agentDhcpSnoopingIfConfigEntry=agentDhcpSnoopingIfConfigEntry, agentDhcpSnoopingMacVerifyFailures=agentDhcpSnoopingMacVerifyFailures, agentStaticDsBindingIpAddr=agentStaticDsBindingIpAddr, agentTransferUploadGroup=agentTransferUploadGroup, agentSwitchCpuProcessFallingThresholdInterval=agentSwitchCpuProcessFallingThresholdInterval, agentSwitchDVlanTagTable=agentSwitchDVlanTagTable, agentStpCstBridgeMaxHops=agentStpCstBridgeMaxHops, agentInventoryHardwareVersion=agentInventoryHardwareVersion, agentExecAccountingListStatus=agentExecAccountingListStatus, agentTrapLogTotal=agentTrapLogTotal, agentHTTPConfigGroup=agentHTTPConfigGroup, agentSwitchMFDBDescription=agentSwitchMFDBDescription, switchingTraps=switchingTraps, agentSwitchAddressConflictDetectionStatus=agentSwitchAddressConflictDetectionStatus, agentLagSummaryHash=agentLagSummaryHash, agentTransferDownloadMode=agentTransferDownloadMode, agentSwitchMFDBFilteringPortMask=agentSwitchMFDBFilteringPortMask, agentSerialGroup=agentSerialGroup, agentServicePortDhcp6REBINDMessagesSent=agentServicePortDhcp6REBINDMessagesSent, agentLagSummaryName=agentLagSummaryName, agentUserConfigDefaultAuthenticationList=agentUserConfigDefaultAuthenticationList, agentUserAuthenticationList=agentUserAuthenticationList, agentAutoinstallAutoRebootMode=agentAutoinstallAutoRebootMode, agentPortConfigEntry=agentPortConfigEntry, agentPortStatsRateGroup=agentPortStatsRateGroup, agentNetworkDhcp6ClientDuid=agentNetworkDhcp6ClientDuid, agentPortMirrorSessionNum=agentPortMirrorSessionNum, agentIASUserIndex=agentIASUserIndex, agentProtocolGroupPortStatus=agentProtocolGroupPortStatus, agentSwitchSnoopingIntfGroupMembershipInterval=agentSwitchSnoopingIntfGroupMembershipInterval, agentSwitchCpuProcessFallingThreshold=agentSwitchCpuProcessFallingThreshold, agentSnmpInformVersion=agentSnmpInformVersion, agentAuthenticationListCreate=agentAuthenticationListCreate, agentDot3adAggPortEntry=agentDot3adAggPortEntry, agentAuthenticationEnableListCreate=agentAuthenticationEnableListCreate, agentPortMirrorEntry=agentPortMirrorEntry, agentPortAdminMode=agentPortAdminMode, agentSwitchProtectedPortTable=agentSwitchProtectedPortTable, agentStpMstEntry=agentStpMstEntry, agentStpConfigFormatSelector=agentStpConfigFormatSelector, agentUserPrivilegeLevel=agentUserPrivilegeLevel, agentSnmpTrapReceiverCommunityName=agentSnmpTrapReceiverCommunityName, agentTrapLogIndex=agentTrapLogIndex, agentStpPortBPDUGuard=agentStpPortBPDUGuard, agentSwitchVlanSubnetAssociationRowStatus=agentSwitchVlanSubnetAssociationRowStatus, agentDNSConfigDomainNameListIndex=agentDNSConfigDomainNameListIndex, agentDhcpL2RelayVlanConfigEntry=agentDhcpL2RelayVlanConfigEntry, agentTrapLogSystemTime=agentTrapLogSystemTime, agentTransferDownloadOPCodeToSwitchDestFilename=agentTransferDownloadOPCodeToSwitchDestFilename, agentIPv6DNSConfigHostNameRemove=agentIPv6DNSConfigHostNameRemove, agentStaticDsBindingVlanId=agentStaticDsBindingVlanId, agentCmdsAccountingListEntry=agentCmdsAccountingListEntry, agentStpPortUpTime=agentStpPortUpTime, agentInventoryFRUNumber=agentInventoryFRUNumber, agentDNSDomainNameRemove=agentDNSDomainNameRemove, agentAutoinstallAutosaveMode=agentAutoinstallAutosaveMode, agentSnmpInformStatus=agentSnmpInformStatus, agentLDAPServerIP=agentLDAPServerIP, agentIPv4MulticastRoutes=agentIPv4MulticastRoutes, agentSnmpTrapReceiverPort=agentSnmpTrapReceiverPort, agentStpMstDesignatedBridgeId=agentStpMstDesignatedBridgeId, agentDNSConfigDomainLookupStatus=agentDNSConfigDomainLookupStatus, agentDNSConfigCacheEntry=agentDNSConfigCacheEntry, agentSwitchCpuProcessRisingThreshold=agentSwitchCpuProcessRisingThreshold, agentStpCstBridgeHelloTime=agentStpCstBridgeHelloTime, agentArpAclRuleRowStatus=agentArpAclRuleRowStatus, agentServicePortDhcp6ADVERTISEMessagesDiscarded=agentServicePortDhcp6ADVERTISEMessagesDiscarded, agentNetworkStatsGroup=agentNetworkStatsGroup, agentLagDetailedConfigTable=agentLagDetailedConfigTable, agentIPv6DNSConfigNameServerListTable=agentIPv6DNSConfigNameServerListTable, agentStpCstPortAutoEdge=agentStpCstPortAutoEdge, agentSpanningTreeMode=agentSpanningTreeMode, agentDaiDstMacValidate=agentDaiDstMacValidate, agentSwitchLastConflictReportedTime=agentSwitchLastConflictReportedTime, agentAuthenticationListEntry=agentAuthenticationListEntry, agentDNSConfigHostIndex=agentDNSConfigHostIndex, agentSnmpEngineIdString=agentSnmpEngineIdString, agentLagSummaryConfigEntry=agentLagSummaryConfigEntry, agentDhcpL2RelayAdminMode=agentDhcpL2RelayAdminMode, agentDynamicIpsgBindingVlanId=agentDynamicIpsgBindingVlanId, agentAuthenticationListMethod3=agentAuthenticationListMethod3, agentPasswordManagementLockAttempts=agentPasswordManagementLockAttempts, agentSnmpInformName=agentSnmpInformName, agentSwitchVlanMacAssociationRowStatus=agentSwitchVlanMacAssociationRowStatus, agentIASUserPassword=agentIASUserPassword, agentExecAccountingListEntry=agentExecAccountingListEntry, agentSwitchSnoopingCfgTable=agentSwitchSnoopingCfgTable, agentDhcpSnoopingRemoteFileName=agentDhcpSnoopingRemoteFileName, agentDaiVlanArpAclName=agentDaiVlanArpAclName, agentPortSTPMode=agentPortSTPMode, agentIPv6DNSConfigCacheIndex=agentIPv6DNSConfigCacheIndex, agentSwitchCpuProcessMemAvailable=agentSwitchCpuProcessMemAvailable, agentStaticDsBindingIfIndex=agentStaticDsBindingIfIndex, agentClearTrapLog=agentClearTrapLog, agentProtocolGroupStatus=agentProtocolGroupStatus, agentSwitchDVlanTagGroup=agentSwitchDVlanTagGroup, agentDaiVlanPktsForwarded=agentDaiVlanPktsForwarded, agentLagConfigGroupHashOption=agentLagConfigGroupHashOption, agentCmdsAccountingGroup=agentCmdsAccountingGroup, agentPortStatsRateHCBitsPerSecondTx=agentPortStatsRateHCBitsPerSecondTx, agentClassOfServiceGroup=agentClassOfServiceGroup, agentDhcpSnoopingInvalidServerMessages=agentDhcpSnoopingInvalidServerMessages, agentDaiIfConfigEntry=agentDaiIfConfigEntry, agentStpMstRowStatus=agentStpMstRowStatus, agentPortIanaType=agentPortIanaType, agentDynamicDsBindingIfIndex=agentDynamicDsBindingIfIndex, agentPortDot3FlowControlOperStatus=agentPortDot3FlowControlOperStatus, agentStaticIpsgBindingTable=agentStaticIpsgBindingTable, agentDNSDomainName=agentDNSDomainName, agentSwitchSnoopingQuerierVlanAddress=agentSwitchSnoopingQuerierVlanAddress, agentIASUserConfigEntry=agentIASUserConfigEntry, agentTransferDownloadStart=agentTransferDownloadStart, agentSwitchSnoopingIntfTable=agentSwitchSnoopingIntfTable, agentSnmpTransceiverTrapFlag=agentSnmpTransceiverTrapFlag, agentHTTPMaxSessions=agentHTTPMaxSessions, agentImageConfigGroup=agentImageConfigGroup, agentCpuLoadOneMin=agentCpuLoadOneMin, agentCmdsAccountingListMethod1=agentCmdsAccountingListMethod1, agentSnmpCommunityIndex=agentSnmpCommunityIndex, agentSnmpAuthenticationTrapFlag=agentSnmpAuthenticationTrapFlag, agentTelnetConfigGroup=agentTelnetConfigGroup, agentDDnsHost=agentDDnsHost, agentNetworkIPAddress=agentNetworkIPAddress, agentDhcpSnoopingRemoteIpAddr=agentDhcpSnoopingRemoteIpAddr, agentNetworkConfigIpv6DhcpRenew=agentNetworkConfigIpv6DhcpRenew, agentDynamicDsBindingVlanId=agentDynamicDsBindingVlanId, agentDNSConfigIpAddress=agentDNSConfigIpAddress, agentSnmpUserStatus=agentSnmpUserStatus, agentSdmTemplateEntry=agentSdmTemplateEntry, agentDhcpL2RelayConfigGroup=agentDhcpL2RelayConfigGroup, agentSwitchMFDBSummaryEntry=agentSwitchMFDBSummaryEntry, agentInventoryMachineModel=agentInventoryMachineModel, agentDhcpSnoopingStatsTable=agentDhcpSnoopingStatsTable, agentSwitchMFDBForwardingPortMask=agentSwitchMFDBForwardingPortMask, agentTransferDownloadFilename=agentTransferDownloadFilename, agentPasswordManagementStrengthMaxRepeatedCharacters=agentPasswordManagementStrengthMaxRepeatedCharacters, agentTransferDownloadGroup=agentTransferDownloadGroup, agentSnmpUserEncryptionPassword=agentSnmpUserEncryptionPassword, agentIPv6UnicastRoutes=agentIPv6UnicastRoutes, agentStpCstPortLoopGuard=agentStpCstPortLoopGuard, agentSwitchSnoopingVlanTable=agentSwitchSnoopingVlanTable, agentStpAdminMode=agentStpAdminMode, agentClassOfServicePortEntry=agentClassOfServicePortEntry, agentCmdsAccountingListCreate=agentCmdsAccountingListCreate, agentStpBpduFilterDefault=agentStpBpduFilterDefault, agentDhcpSnoopingStoreInterval=agentDhcpSnoopingStoreInterval, agentSwitchStaticMacFilteringSourcePortMask=agentSwitchStaticMacFilteringSourcePortMask, agentNetworkDhcp6REPLYMessagesDiscarded=agentNetworkDhcp6REPLYMessagesDiscarded, agentServicePortDhcp6SOLICITMessagesSent=agentServicePortDhcp6SOLICITMessagesSent, agentDDnsConfigEntry=agentDDnsConfigEntry, agentStpMstBridgeIdentifier=agentStpMstBridgeIdentifier, agentSwitchProtectedPortConfigGroup=agentSwitchProtectedPortConfigGroup, agentSnmpEngineIdIpAddress=agentSnmpEngineIdIpAddress, agentSdmTemplateSummaryTable=agentSdmTemplateSummaryTable, agentSnmpEngineIdStatus=agentSnmpEngineIdStatus, agentSupportedMibTable=agentSupportedMibTable, agentServicePortDhcp6ADVERTISEMessagesReceived=agentServicePortDhcp6ADVERTISEMessagesReceived) mibBuilder.exportSymbols("SWITCHING-MIB", agentSwitchSnoopingGroup=agentSwitchSnoopingGroup, agentStpCstPortTopologyChangeAck=agentStpCstPortTopologyChangeAck, agentAutoinstallOperationalMode=agentAutoinstallOperationalMode, agentSwitchDVlanTagTPid=agentSwitchDVlanTagTPid, agentServicePortIpv6ConfigProtocol=agentServicePortIpv6ConfigProtocol, agentPasswordManagementStrengthMinLowerCase=agentPasswordManagementStrengthMinLowerCase, agentStpCstPortForwardingState=agentStpCstPortForwardingState, agentPasswordManagementHistory=agentPasswordManagementHistory, agentStpMstPortId=agentStpMstPortId, agentSwitchStaticMacFilteringDestPortMask=agentSwitchStaticMacFilteringDestPortMask, agentStpMstTimeSinceTopologyChange=agentStpMstTimeSinceTopologyChange, agentClearPortStats=agentClearPortStats, agentDNSConfigHostIpAddress=agentDNSConfigHostIpAddress, agentCmdsAccountingListIndex=agentCmdsAccountingListIndex, agentDDnsIndex=agentDDnsIndex, agentDhcpL2RelayStatsReset=agentDhcpL2RelayStatsReset, agentLagSummaryConfigTable=agentLagSummaryConfigTable, agentIASUserConfigCreate=agentIASUserConfigCreate, agentSwitchSnoopingIntfFastLeaveAdminMode=agentSwitchSnoopingIntfFastLeaveAdminMode, agentPortMirroringGroup=agentPortMirroringGroup, agentStpMstVlanRowStatus=agentStpMstVlanRowStatus, agentStpCstPortEntry=agentStpCstPortEntry, agentClearLags=agentClearLags, agentDNSConfigCacheIndex=agentDNSConfigCacheIndex, agentSwitchVlanSubnetAssociationVlanId=agentSwitchVlanSubnetAssociationVlanId, agentSwitchVlanMacAssociationEntry=agentSwitchVlanMacAssociationEntry, agentIPv6DNSConfigHostEntry=agentIPv6DNSConfigHostEntry, agentLDAPBaseDn=agentLDAPBaseDn, agentSwitchCpuProcessPercentageUtilization=agentSwitchCpuProcessPercentageUtilization, agentSnmpTrapReceiverIPAddress=agentSnmpTrapReceiverIPAddress, agentSnmpInformConfigTableCreate=agentSnmpInformConfigTableCreate, agentAuthenticationListMethod1=agentAuthenticationListMethod1, agentDaiVlanDynArpInspEnable=agentDaiVlanDynArpInspEnable, agentIPv6DNSConfigNameServerRemove=agentIPv6DNSConfigNameServerRemove, agentIPv6NdpEntries=agentIPv6NdpEntries, agentHTTPHardTimeout=agentHTTPHardTimeout, agentTransferUploadPath=agentTransferUploadPath, agentIpsgIfPortSecurity=agentIpsgIfPortSecurity, agentDhcpL2RelayUntrustedClntMsgsWithOptn82=agentDhcpL2RelayUntrustedClntMsgsWithOptn82, agentStpUplinkFast=agentStpUplinkFast, agentInventoryGroup=agentInventoryGroup, agentPortVoiceVlanNoneMode=agentPortVoiceVlanNoneMode, agentStpMstTopologyChangeParm=agentStpMstTopologyChangeParm, agentUserAuthenticationConfigEntry=agentUserAuthenticationConfigEntry, agentDNSConfigNameServer=agentDNSConfigNameServer, agentSdmPreferNextTemplate=agentSdmPreferNextTemplate, agentNetworkIpv6AddrPrefixLength=agentNetworkIpv6AddrPrefixLength, agentTrapLogTable=agentTrapLogTable, agentSwitchAddressAgingTimeout=agentSwitchAddressAgingTimeout, agentStpMstRootPathCost=agentStpMstRootPathCost, agentDaiVlanSrcMacFailures=agentDaiVlanSrcMacFailures, agentNetworkSubnetMask=agentNetworkSubnetMask, agentSwitchVlanMacAssociationMacAddress=agentSwitchVlanMacAssociationMacAddress, agentTransferUploadFilename=agentTransferUploadFilename, agentClearPasswords=agentClearPasswords, agentSwitchSnoopingVlanMaxResponseTime=agentSwitchSnoopingVlanMaxResponseTime, agentSwitchMFDBMaxTableEntries=agentSwitchMFDBMaxTableEntries, broadcastStormStartTrap=broadcastStormStartTrap, temperatureTooHighTrap=temperatureTooHighTrap, agentSerialTerminalLength=agentSerialTerminalLength, agentClassOfServicePortPriority=agentClassOfServicePortPriority, dhcpSnoopingIntfErrorDisabledTrap=dhcpSnoopingIntfErrorDisabledTrap, agentSerialCharacterSize=agentSerialCharacterSize, agentStpConfigName=agentStpConfigName, stpInstanceTopologyChangeTrap=stpInstanceTopologyChangeTrap, agentNetworkIpv6AddrPrefix=agentNetworkIpv6AddrPrefix, agentNetworkIpv6ConfigProtocol=agentNetworkIpv6ConfigProtocol, agentServicePortDhcp6RELEASEMessagesSent=agentServicePortDhcp6RELEASEMessagesSent, agentTransferDownloadStartupConfigToSwitchDestFilename=agentTransferDownloadStartupConfigToSwitchDestFilename, agentSwitchSnoopingQuerierQueryInterval=agentSwitchSnoopingQuerierQueryInterval, agentSupportedMibDescription=agentSupportedMibDescription, agentPortStatsRateHCPacketsPerSecondRx=agentPortStatsRateHCPacketsPerSecondRx, agentDhcpSnoopingConfigGroup=agentDhcpSnoopingConfigGroup, agentSnmpUserConfigTable=agentSnmpUserConfigTable, agentDynamicDsBindingLeaseRemainingTime=agentDynamicDsBindingLeaseRemainingTime, agentDhcpSnoopingStoreTimeout=agentDhcpSnoopingStoreTimeout, agentSwitchCpuProcessEntry=agentSwitchCpuProcessEntry, agentAuthenticationGroup=agentAuthenticationGroup, agentDNSConfigRequest=agentDNSConfigRequest, agentUserStatus=agentUserStatus, agentSnmpTrapFlagsConfigGroup=agentSnmpTrapFlagsConfigGroup, agentSwitchMFDBVlanId=agentSwitchMFDBVlanId, agentStpCstConfigGroup=agentStpCstConfigGroup, agentSwitchVoiceVlanDeviceEntry=agentSwitchVoiceVlanDeviceEntry, agentSwitchVlanSubnetAssociationGroup=agentSwitchVlanSubnetAssociationGroup, agentStpConfigRevision=agentStpConfigRevision, agentStartupConfigErase=agentStartupConfigErase, agentSwitchSnoopingIntfGroup=agentSwitchSnoopingIntfGroup, agentSwitchPortDVlanTagRowStatus=agentSwitchPortDVlanTagRowStatus, agentStpMstPortTransitionsOutOfLoopInconsistentState=agentStpMstPortTransitionsOutOfLoopInconsistentState, agentLDAPRacName=agentLDAPRacName, agentSnmpTrapReceiverConfigTable=agentSnmpTrapReceiverConfigTable, agentPortMirrorTypeTable=agentPortMirrorTypeTable, vlanDefaultCfgFailureTrap=vlanDefaultCfgFailureTrap, agentIPv6MulticastRoutes=agentIPv6MulticastRoutes, agentTrapLogGroup=agentTrapLogGroup, agentSwitchVlanStaticMrouterGroup=agentSwitchVlanStaticMrouterGroup, agentDynamicIpsgBindingIpAddr=agentDynamicIpsgBindingIpAddr, agentUserPasswordExpireTime=agentUserPasswordExpireTime, agentSwitchMFDBMacAddress=agentSwitchMFDBMacAddress, agentPortLinkTrapMode=agentPortLinkTrapMode, daiIntfErrorDisabledTrap=daiIntfErrorDisabledTrap, agentSwitchMFDBMostEntriesUsed=agentSwitchMFDBMostEntriesUsed, agentDhcpL2RelayVlanConfigTable=agentDhcpL2RelayVlanConfigTable, agentUserAuthenticationConfigTable=agentUserAuthenticationConfigTable, agentHTTPSoftTimeout=agentHTTPSoftTimeout, agentStaticIpsgBindingIpAddr=agentStaticIpsgBindingIpAddr, agentNetworkMacAddressType=agentNetworkMacAddressType, agentSwitchSnoopingVlanGroup=agentSwitchSnoopingVlanGroup, agentSnmpEngineIdConfigEntry=agentSnmpEngineIdConfigEntry, agentProtocolGroupProtocolStatus=agentProtocolGroupProtocolStatus, agentDNSConfigGroup=agentDNSConfigGroup, agentNetworkDhcp6ADVERTISEMessagesDiscarded=agentNetworkDhcp6ADVERTISEMessagesDiscarded, agentSwitchSnoopingQuerierLastQuerierVersion=agentSwitchSnoopingQuerierLastQuerierVersion, agentArpEntries=agentArpEntries, agentProtocolGroupProtocolIP=agentProtocolGroupProtocolIP, agentStpPortState=agentStpPortState, agentStaticIpsgBindingMacAddr=agentStaticIpsgBindingMacAddr, agentStpCstPortPathCost=agentStpCstPortPathCost, agentDaiIfConfigTable=agentDaiIfConfigTable, agentStpCstHelloTime=agentStpCstHelloTime, vlanRequestFailureTrap=vlanRequestFailureTrap, agentProtocolGroupVlanId=agentProtocolGroupVlanId, agentDynamicDsBindingIpAddr=agentDynamicDsBindingIpAddr, agentSwitchCpuProcessGroup=agentSwitchCpuProcessGroup, agentDhcpSnoopingVlanConfigEntry=agentDhcpSnoopingVlanConfigEntry, agentSwitchDVlanTagEthertype=agentSwitchDVlanTagEthertype, agentSwitchCpuProcessTable=agentSwitchCpuProcessTable, agentServicePortConfigProtocol=agentServicePortConfigProtocol, agentSwitchProtectedPortGroupId=agentSwitchProtectedPortGroupId, agentUserConfigTable=agentUserConfigTable, agentStpPortStatsMstpBpduTx=agentStpPortStatsMstpBpduTx, agentStpCstPortEdge=agentStpCstPortEdge, agentSpanningTreeConfigGroup=agentSpanningTreeConfigGroup, agentLagSummaryHashOption=agentLagSummaryHashOption, agentSwitchMFDBTable=agentSwitchMFDBTable, agentAuthenticationListName=agentAuthenticationListName, agentSnmpSpanningTreeTrapFlag=agentSnmpSpanningTreeTrapFlag, stormControlStopTrap=stormControlStopTrap, agentInventoryAdditionalPackages=agentInventoryAdditionalPackages, agentSwitchIpAddressConflictTrap=agentSwitchIpAddressConflictTrap, agentDaiVlanIndex=agentDaiVlanIndex, agentDhcpL2RelayIfEnable=agentDhcpL2RelayIfEnable, agentExecAccountingListName=agentExecAccountingListName, agentExecAccountingGroup=agentExecAccountingGroup, agentStpForceVersion=agentStpForceVersion, agentSwitchSnoopingIntfIndex=agentSwitchSnoopingIntfIndex, agentLagSummaryRateLoadInterval=agentLagSummaryRateLoadInterval, agentSwitchSnoopingIntfEntry=agentSwitchSnoopingIntfEntry, configChangedTrap=configChangedTrap, agentStpMstRootPortId=agentStpMstRootPortId, agentExecAccountingListIndex=agentExecAccountingListIndex, agentLagSummaryStatus=agentLagSummaryStatus, agentDhcpSnoopingVlanConfigTable=agentDhcpSnoopingVlanConfigTable, agentLoginSessionTable=agentLoginSessionTable, agentSwitchProtectedPortPortList=agentSwitchProtectedPortPortList, agentPasswordManagementConfigGroup=agentPasswordManagementConfigGroup, agentDNSConfigHostNameRemove=agentDNSConfigHostNameRemove, agentPortStatsRateEntry=agentPortStatsRateEntry, agentUserConfigGroup=agentUserConfigGroup, agentUdldConfigGroup=agentUdldConfigGroup, agentUdldConfigTable=agentUdldConfigTable, stpInstanceLoopInconsistentStartTrap=stpInstanceLoopInconsistentStartTrap, agentVendorClassOptionConfigGroup=agentVendorClassOptionConfigGroup, agentNetworkDhcp6ADVERTISEMessagesReceived=agentNetworkDhcp6ADVERTISEMessagesReceived, agentSwitchVlanStaticMrouterEntry=agentSwitchVlanStaticMrouterEntry, agentSwitchAddressAgingTimeoutEntry=agentSwitchAddressAgingTimeoutEntry, agentUserPortConfigEntry=agentUserPortConfigEntry, agentIPv6DNSConfigNameServerListIndex=agentIPv6DNSConfigNameServerListIndex, agentTransferUploadServerAddress=agentTransferUploadServerAddress, agentLDAPServerPort=agentLDAPServerPort, agentServicePortDhcp6MalformedMessagesReceived=agentServicePortDhcp6MalformedMessagesReceived, agentNetworkDhcp6REPLYMessagesReceived=agentNetworkDhcp6REPLYMessagesReceived, agentDhcpSnoopingIfBurstInterval=agentDhcpSnoopingIfBurstInterval, agentArpAclEntry=agentArpAclEntry, agentLagConfigStaticCapability=agentLagConfigStaticCapability, agentSnmpUserConfigEntry=agentSnmpUserConfigEntry, agentSerialBaudrate=agentSerialBaudrate, agentLagConfigCreate=agentLagConfigCreate, agentServicePortStatsGroup=agentServicePortStatsGroup, agentStpPortStatsRstpBpduRx=agentStpPortStatsRstpBpduRx, agentDhcpSnoopingInvalidClientMessages=agentDhcpSnoopingInvalidClientMessages, agentIPv6DNSConfigTTL=agentIPv6DNSConfigTTL, agentDhcpL2RelayRemoteIdVlanEnable=agentDhcpL2RelayRemoteIdVlanEnable, agentPortVoiceVlanDataPriorityMode=agentPortVoiceVlanDataPriorityMode, agentUdldIndex=agentUdldIndex, agentTransferUploadScriptFromSwitchSrcFilename=agentTransferUploadScriptFromSwitchSrcFilename, agentProtocolGroupTable=agentProtocolGroupTable, vlanDeleteLastTrap=vlanDeleteLastTrap, agentEcmpNextHops=agentEcmpNextHops, agentSwitchVlanMacAssociationTable=agentSwitchVlanMacAssociationTable, agentStpMstPortTable=agentStpMstPortTable, PortList=PortList, agentDDnsUserName=agentDDnsUserName, agentStpCstPortOperEdge=agentStpCstPortOperEdge, agentSerialParityType=agentSerialParityType, agentSwitchIfDVlanTagTPid=agentSwitchIfDVlanTagTPid, agentServicePortIpv6Gateway=agentServicePortIpv6Gateway, agentSnmpCommunityStatus=agentSnmpCommunityStatus, agentSnmpInformRetires=agentSnmpInformRetires, agentSwitchProtectedPortGroupName=agentSwitchProtectedPortGroupName, agentAuthenticationListStatus=agentAuthenticationListStatus, agentStpCstBridgeFwdDelay=agentStpCstBridgeFwdDelay, agentSnmpEngineIdConfigTable=agentSnmpEngineIdConfigTable, agentPortVoiceVlanUntagged=agentPortVoiceVlanUntagged, agentDhcpClientVendorClassIdString=agentDhcpClientVendorClassIdString, agentSwitchVlanMacAssociationGroup=agentSwitchVlanMacAssociationGroup, agentDhcpSnoopingIfConfigTable=agentDhcpSnoopingIfConfigTable, agentSerialTimeout=agentSerialTimeout, agentDynamicIpsgBindingMacAddr=agentDynamicIpsgBindingMacAddr, agentServicePortDhcp6StatsReset=agentServicePortDhcp6StatsReset, agentStaticDsBindingRowStatus=agentStaticDsBindingRowStatus, agentDNSConfigNameServerRemove=agentDNSConfigNameServerRemove, agentServicePortIpv6AddrPrefixLength=agentServicePortIpv6AddrPrefixLength, agentProtocolGroupProtocolTable=agentProtocolGroupProtocolTable, agentDhcpSnoopingStatsReset=agentDhcpSnoopingStatsReset, agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82=agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82, agentSerialStopBits=agentSerialStopBits, agentSwitchSnoopingCfgEntry=agentSwitchSnoopingCfgEntry, PYSNMP_MODULE_ID=switching, agentConfigGroup=agentConfigGroup, agentUserEncryptionPassword=agentUserEncryptionPassword, agentSnmpTrapReceiverConfigEntry=agentSnmpTrapReceiverConfigEntry, agentSnmpInformIndex=agentSnmpInformIndex, agentSwitchMFDBEntry=agentSwitchMFDBEntry, agentIASUserStatus=agentIASUserStatus, agentLagSummaryPortStaticCapability=agentLagSummaryPortStaticCapability, agentSnmpCommunityConfigTable=agentSnmpCommunityConfigTable, agentAuthenticationListMethod6=agentAuthenticationListMethod6, agentDhcpL2RelayIfTrustEnable=agentDhcpL2RelayIfTrustEnable, agentLagDetailedLagIndex=agentLagDetailedLagIndex, agentDaiVlanDstMacFailures=agentDaiVlanDstMacFailures, agentTrapLogTotalSinceLastViewed=agentTrapLogTotalSinceLastViewed, agentSwitchCpuFreeMemAboveThresholdTrap=agentSwitchCpuFreeMemAboveThresholdTrap, agentStpMstPortLoopInconsistentState=agentStpMstPortLoopInconsistentState, agentSwitchSnoopingQuerierElectionParticipateMode=agentSwitchSnoopingQuerierElectionParticipateMode, agentPortVoiceVlanAuthMode=agentPortVoiceVlanAuthMode, agentServicePortIpv6AddressAutoConfig=agentServicePortIpv6AddressAutoConfig, agentSwitchStaticMacFilteringAddress=agentSwitchStaticMacFilteringAddress, agentStpPortStatsRstpBpduTx=agentStpPortStatsRstpBpduTx, agentDaiVlanArpAclStaticFlag=agentDaiVlanArpAclStaticFlag, agentSdmTemplateId=agentSdmTemplateId, agentExecAccountingMethodType=agentExecAccountingMethodType, switching=switching, agentServicePortIpv6AddrTable=agentServicePortIpv6AddrTable, agentLagSummaryStpMode=agentLagSummaryStpMode, agentSnmpCommunityCreate=agentSnmpCommunityCreate, agentSwitchSnoopingQuerierVersion=agentSwitchSnoopingQuerierVersion, agentSwitchStaticMacFilteringTable=agentSwitchStaticMacFilteringTable, agentLagDetailedPortStatus=agentLagDetailedPortStatus, agentSwitchAddressConflictDetectionStatusReset=agentSwitchAddressConflictDetectionStatusReset, agentSnmpCommunityAccessMode=agentSnmpCommunityAccessMode, agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82=agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82, agentSnmpUserEncryption=agentSnmpUserEncryption) mibBuilder.exportSymbols("SWITCHING-MIB", agentSnmpCommunityName=agentSnmpCommunityName, agentStpMstId=agentStpMstId, agentIpsgIfConfigTable=agentIpsgIfConfigTable, agentIPv6DNSConfigHostName=agentIPv6DNSConfigHostName, agentIPv6DNSConfigHostIndex=agentIPv6DNSConfigHostIndex, agentSwitchStaticMacFilteringStatus=agentSwitchStaticMacFilteringStatus, agentNetworkDhcp6MalformedMessagesReceived=agentNetworkDhcp6MalformedMessagesReceived, agentNetworkIpv6AddrStatus=agentNetworkIpv6AddrStatus, agentSwitchVlanStaticMrouterAdminMode=agentSwitchVlanStaticMrouterAdminMode, agentDDnsAddress=agentDDnsAddress, agentUdldConfigEntry=agentUdldConfigEntry, agentDhcpSnoopingStatsEntry=agentDhcpSnoopingStatsEntry, agentSwitchStaticMacFilteringEntry=agentSwitchStaticMacFilteringEntry, agentSnmpInformConfigTable=agentSnmpInformConfigTable, agentStaticIpsgBindingVlanId=agentStaticIpsgBindingVlanId, agentSwitchIfDVlanTagTable=agentSwitchIfDVlanTagTable, agentPortCapability=agentPortCapability, agentStpCstPortOperPointToPoint=agentStpCstPortOperPointToPoint, agentSwitchSnoopingQuerierVlanEntry=agentSwitchSnoopingQuerierVlanEntry, agentSwitchMFDBCurrentEntries=agentSwitchMFDBCurrentEntries, agentTransferDownloadScriptToSwitchDestFilename=agentTransferDownloadScriptToSwitchDestFilename, agentIPv6DNSConfigHostIpAddress=agentIPv6DNSConfigHostIpAddress, agentSnmpTrapSourceInterface=agentSnmpTrapSourceInterface, agentServicePortDhcp6RENEWMessagesSent=agentServicePortDhcp6RENEWMessagesSent, agentDaiVlanStatsIndex=agentDaiVlanStatsIndex, agentPortMirrorTable=agentPortMirrorTable, agentSwitchPortDVlanTagInterfaceIfIndex=agentSwitchPortDVlanTagInterfaceIfIndex, agentUserSnmpv3AccessMode=agentUserSnmpv3AccessMode, agentSwitchVlanSubnetAssociationTable=agentSwitchVlanSubnetAssociationTable, agentInventorySoftwareVersion=agentInventorySoftwareVersion, agentSwitchSnoopingIntfMRPExpirationTime=agentSwitchSnoopingIntfMRPExpirationTime, agentStpPortStatsMstpBpduRx=agentStpPortStatsMstpBpduRx, agentLDAPRacDomain=agentLDAPRacDomain, powerSupplyStatusChangeTrap=powerSupplyStatusChangeTrap, agentStpCstDesignatedCost=agentStpCstDesignatedCost, agentSwitchSnoopingQuerierOperMaxResponseTime=agentSwitchSnoopingQuerierOperMaxResponseTime, agentTransferUploadOpCodeFromSwitchSrcFilename=agentTransferUploadOpCodeFromSwitchSrcFilename, agentTelnetMaxSessions=agentTelnetMaxSessions, agentStpCstDesignatedPortId=agentStpCstDesignatedPortId, agentStpMstPortPriority=agentStpMstPortPriority, agentPortStatsRateTable=agentPortStatsRateTable, agentSwitchCpuProcessName=agentSwitchCpuProcessName, agentTransferDownloadDataType=agentTransferDownloadDataType, agentSystemGroup=agentSystemGroup, agentNetworkConfigProtocolDhcpRenew=agentNetworkConfigProtocolDhcpRenew, agentSwitchSnoopingQuerierVlanOperMode=agentSwitchSnoopingQuerierVlanOperMode, agentServicePortIpv6AddrEntry=agentServicePortIpv6AddrEntry, agentLoginSessionInetAddress=agentLoginSessionInetAddress, agentSwitchCpuProcessId=agentSwitchCpuProcessId, agentSnmpTrapReceiverIndex=agentSnmpTrapReceiverIndex, agentTransferDownloadPath=agentTransferDownloadPath, agentSnmpEngineIdIndex=agentSnmpEngineIdIndex, agentSwitchSnoopingIntfVlanIDs=agentSwitchSnoopingIntfVlanIDs, agentSwitchCpuProcessFreeMemoryThreshold=agentSwitchCpuProcessFreeMemoryThreshold, agentDDnsConfigGroup=agentDDnsConfigGroup, agentPasswordManagementPasswordStrengthCheck=agentPasswordManagementPasswordStrengthCheck, agentStpMstVlanEntry=agentStpMstVlanEntry, agentDot3adAggPortLACPMode=agentDot3adAggPortLACPMode, agentServicePortDhcp6REPLYMessagesReceived=agentServicePortDhcp6REPLYMessagesReceived, agentPortVoiceVlanPriority=agentPortVoiceVlanPriority, agentSwitchSnoopingIntfMulticastRouterMode=agentSwitchSnoopingIntfMulticastRouterMode, agentSnmpUserAuthenticationPassword=agentSnmpUserAuthenticationPassword, agentLoginSessionSessionTime=agentLoginSessionSessionTime, agentSwitchMFDBSummaryForwardingPortMask=agentSwitchMFDBSummaryForwardingPortMask, agentIPv6DNSConfigRequest=agentIPv6DNSConfigRequest, agentServicePortConfigGroup=agentServicePortConfigGroup, agentSaveConfig=agentSaveConfig, noStartupConfigTrap=noStartupConfigTrap, agentProtocolGroupProtocolEntry=agentProtocolGroupProtocolEntry, agentPortVoiceVlanMode=agentPortVoiceVlanMode, agentServicePortIpv6AddrPrefix=agentServicePortIpv6AddrPrefix, agentNetworkIpv6AddressAutoConfig=agentNetworkIpv6AddressAutoConfig, agentStpMstPortEntry=agentStpMstPortEntry, agentDhcpSnoopingVerifyMac=agentDhcpSnoopingVerifyMac, agentLoginSessionIdleTime=agentLoginSessionIdleTime, agentClassOfServicePortClass=agentClassOfServicePortClass, agentIPv6DNSConfigIpAddress=agentIPv6DNSConfigIpAddress, agentInventoryManufacturer=agentInventoryManufacturer, agentArpAclRuleEntry=agentArpAclRuleEntry, agentDNSConfigNameServerListEntry=agentDNSConfigNameServerListEntry, agentPortClearStats=agentPortClearStats, agentDynamicDsBinding=agentDynamicDsBinding, agentArpAclRuleMatchSenderMacAddr=agentArpAclRuleMatchSenderMacAddr, agentArpAclGroup=agentArpAclGroup, agentIPv6DNSConfigFlag=agentIPv6DNSConfigFlag, agentCmdsAccountingListName=agentCmdsAccountingListName, failedUserLoginTrap=failedUserLoginTrap, agentInventoryMachineType=agentInventoryMachineType, agentDNSConfigClearDNSCounters=agentDNSConfigClearDNSCounters, agentAutoinstallAutoUpgradeMode=agentAutoinstallAutoUpgradeMode, stpInstanceNewRootTrap=stpInstanceNewRootTrap, agentClearBufferedLog=agentClearBufferedLog, agentInventoryOperatingSystem=agentInventoryOperatingSystem, agentSwitchSnoopingMulticastControlFramesProcessed=agentSwitchSnoopingMulticastControlFramesProcessed, agentSwitchConflictMacAddr=agentSwitchConflictMacAddr, agentSwitchCpuFreeMemBelowThresholdTrap=agentSwitchCpuFreeMemBelowThresholdTrap, agentDDnsStatus=agentDDnsStatus, agentStpMstDesignatedCost=agentStpMstDesignatedCost, agentArpAclRuleMatchSenderIpAddr=agentArpAclRuleMatchSenderIpAddr, agentAuthenticationListIndex=agentAuthenticationListIndex, agentSnmpTrapReceiverCreate=agentSnmpTrapReceiverCreate, agentDaiVlanIpValidFailures=agentDaiVlanIpValidFailures, agentSupportedMibEntry=agentSupportedMibEntry, agentProtocolGroupPortEntry=agentProtocolGroupPortEntry, agentTransferDownloadServerAddress=agentTransferDownloadServerAddress, agentPasswordManagementStrengthMinNumericNumbers=agentPasswordManagementStrengthMinNumericNumbers, fanFailureTrap=fanFailureTrap, agentDaiVlanLoggingEnable=agentDaiVlanLoggingEnable, agentPasswordMgmtStrengthExcludeKeywordStatus=agentPasswordMgmtStrengthExcludeKeywordStatus, agentSwitchSnoopingVlanMRPExpirationTime=agentSwitchSnoopingVlanMRPExpirationTime, agentSwitchVoiceVlanInterfaceNum=agentSwitchVoiceVlanInterfaceNum, agentSwitchMFDBSummaryMacAddress=agentSwitchMFDBSummaryMacAddress, agentSwitchVlanSubnetAssociationPriority=agentSwitchVlanSubnetAssociationPriority, agentPortMirrorAdminMode=agentPortMirrorAdminMode, agentSwitchMFDBProtocolType=agentSwitchMFDBProtocolType, agentStpMstPortPathCost=agentStpMstPortPathCost, agentStpMstVlanTable=agentStpMstVlanTable, agentNetworkConfigGroup=agentNetworkConfigGroup, agentPortConfigTable=agentPortConfigTable, agentPortIfIndex=agentPortIfIndex, agentProtocolGroupName=agentProtocolGroupName, agentSwitchAddressAgingTimeoutTable=agentSwitchAddressAgingTimeoutTable, agentProtocolGroupProtocolIPX=agentProtocolGroupProtocolIPX, agentSwitchDVlanTagRowStatus=agentSwitchDVlanTagRowStatus, agentImage2=agentImage2, agentDaiVlanDhcpDrops=agentDaiVlanDhcpDrops, agentNetworkIpv6AddrTable=agentNetworkIpv6AddrTable, agentSwitchSnoopingVlanFastLeaveAdminMode=agentSwitchSnoopingVlanFastLeaveAdminMode, agentServicePortIPAddress=agentServicePortIPAddress, agentLagDetailedConfigEntry=agentLagDetailedConfigEntry, agentSnmpConfigGroup=agentSnmpConfigGroup, agentStpCstPortBpduGuardEffect=agentStpCstPortBpduGuardEffect, agentDNSConfigHostName=agentDNSConfigHostName, agentStpCstPortRootGuard=agentStpCstPortRootGuard, agentProtocolGroupPortTable=agentProtocolGroupPortTable)
(octet_string, integer, object_identifier) = mibBuilder.importSymbols('ASN1', 'OctetString', 'Integer', 'ObjectIdentifier') (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') (ian_aif_type,) = mibBuilder.importSymbols('IANAifType-MIB', 'IANAifType') (interface_index_or_zero, interface_index, if_index) = mibBuilder.importSymbols('IF-MIB', 'InterfaceIndexOrZero', 'InterfaceIndex', 'ifIndex') (inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType') (ipv6_address_prefix, ipv6_address) = mibBuilder.importSymbols('IPV6-TC', 'Ipv6AddressPrefix', 'Ipv6Address') (vlan_id, dot1q_fdb_id, vlan_index, dot1q_vlan_index) = mibBuilder.importSymbols('Q-BRIDGE-MIB', 'VlanId', 'dot1qFdbId', 'VlanIndex', 'dot1qVlanIndex') (switch, agent_port_mask) = mibBuilder.importSymbols('QUANTA-SWITCH-MIB', 'switch', 'AgentPortMask') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (gauge32, iso, counter32, integer32, notification_type, mib_scalar, mib_table, mib_table_row, mib_table_column, ip_address, bits, mib_identifier, time_ticks, unsigned32, counter64, object_identity, module_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'Gauge32', 'iso', 'Counter32', 'Integer32', 'NotificationType', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'IpAddress', 'Bits', 'MibIdentifier', 'TimeTicks', 'Unsigned32', 'Counter64', 'ObjectIdentity', 'ModuleIdentity') (date_and_time, truth_value, textual_convention, row_status, mac_address, phys_address, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'DateAndTime', 'TruthValue', 'TextualConvention', 'RowStatus', 'MacAddress', 'PhysAddress', 'DisplayString') switching = module_identity((1, 3, 6, 1, 4, 1, 7244, 2, 1)) if mibBuilder.loadTexts: switching.setLastUpdated('201108310000Z') if mibBuilder.loadTexts: switching.setOrganization('QCT') class Portlist(TextualConvention, OctetString): status = 'current' class Vlanlist(TextualConvention, OctetString): status = 'current' agent_info_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1)) agent_inventory_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1)) agent_inventory_sys_description = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventorySysDescription.setStatus('current') agent_inventory_machine_type = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryMachineType.setStatus('current') agent_inventory_machine_model = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryMachineModel.setStatus('current') agent_inventory_serial_number = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventorySerialNumber.setStatus('current') agent_inventory_fru_number = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryFRUNumber.setStatus('current') agent_inventory_maintenance_level = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 6), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryMaintenanceLevel.setStatus('current') agent_inventory_part_number = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 7), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryPartNumber.setStatus('current') agent_inventory_hardware_version = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 8), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryHardwareVersion.setStatus('current') agent_inventory_burned_in_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 9), phys_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryBurnedInMacAddress.setStatus('current') agent_inventory_operating_system = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 10), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryOperatingSystem.setStatus('current') agent_inventory_network_processing_device = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 11), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryNetworkProcessingDevice.setStatus('current') agent_inventory_additional_packages = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 12), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryAdditionalPackages.setStatus('current') agent_inventory_software_version = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 13), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventorySoftwareVersion.setStatus('current') agent_inventory_manufacturer = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 1, 14), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentInventoryManufacturer.setStatus('current') agent_trap_log_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2)) agent_trap_log_total = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTrapLogTotal.setStatus('current') agent_trap_log_total_since_last_viewed = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTrapLogTotalSinceLastViewed.setStatus('current') agent_trap_log_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4)) if mibBuilder.loadTexts: agentTrapLogTable.setStatus('current') agent_trap_log_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentTrapLogIndex')) if mibBuilder.loadTexts: agentTrapLogEntry.setStatus('current') agent_trap_log_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTrapLogIndex.setStatus('current') agent_trap_log_system_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTrapLogSystemTime.setStatus('current') agent_trap_log_trap = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 2, 4, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 512))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTrapLogTrap.setStatus('current') agent_supported_mib_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3)) if mibBuilder.loadTexts: agentSupportedMibTable.setStatus('current') agent_supported_mib_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSupportedMibIndex')) if mibBuilder.loadTexts: agentSupportedMibEntry.setStatus('current') agent_supported_mib_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSupportedMibIndex.setStatus('current') agent_supported_mib_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSupportedMibName.setStatus('current') agent_supported_mib_description = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 3, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 512))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSupportedMibDescription.setStatus('current') agent_port_stats_rate_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8)) agent_port_stats_rate_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1)) if mibBuilder.loadTexts: agentPortStatsRateTable.setStatus('current') agent_port_stats_rate_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentPortStatsRateEntry.setStatus('current') agent_port_stats_rate_hc_bits_per_second_rx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 9), counter64()).setUnits('bits').setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortStatsRateHCBitsPerSecondRx.setStatus('current') agent_port_stats_rate_hc_bits_per_second_tx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 10), counter64()).setUnits('bits').setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortStatsRateHCBitsPerSecondTx.setStatus('current') agent_port_stats_rate_hc_packets_per_second_rx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 11), counter64()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortStatsRateHCPacketsPerSecondRx.setStatus('current') agent_port_stats_rate_hc_packets_per_second_tx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 8, 1, 1, 12), counter64()).setUnits('packets').setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortStatsRateHCPacketsPerSecondTx.setStatus('current') agent_switch_cpu_process_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4)) agent_switch_cpu_process_mem_free = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setUnits('KBytes').setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessMemFree.setStatus('current') agent_switch_cpu_process_mem_available = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647)).clone(2)).setUnits('KBytes').setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessMemAvailable.setStatus('current') agent_switch_cpu_process_rising_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchCpuProcessRisingThreshold.setStatus('current') agent_switch_cpu_process_rising_threshold_interval = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 4), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5, 86400)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchCpuProcessRisingThresholdInterval.setStatus('current') agent_switch_cpu_process_falling_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchCpuProcessFallingThreshold.setStatus('current') agent_switch_cpu_process_falling_threshold_interval = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 6), unsigned32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(5, 86400)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchCpuProcessFallingThresholdInterval.setStatus('current') agent_switch_cpu_process_free_memory_threshold = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 7), unsigned32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchCpuProcessFreeMemoryThreshold.setStatus('current') agent_switch_cpu_process_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8)) if mibBuilder.loadTexts: agentSwitchCpuProcessTable.setStatus('current') agent_switch_cpu_process_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchCpuProcessIndex')) if mibBuilder.loadTexts: agentSwitchCpuProcessEntry.setStatus('current') agent_switch_cpu_process_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchCpuProcessIndex.setStatus('current') agent_switch_cpu_process_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessName.setStatus('current') agent_switch_cpu_process_percentage_utilization = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessPercentageUtilization.setStatus('current') agent_switch_cpu_process_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 8, 1, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessId.setStatus('current') agent_switch_cpu_process_total_utilization = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 1, 4, 9), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchCpuProcessTotalUtilization.setStatus('current') agent_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2)) agent_cli_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1)) agent_login_session_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1)) if mibBuilder.loadTexts: agentLoginSessionTable.setStatus('current') agent_login_session_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentLoginSessionIndex')) if mibBuilder.loadTexts: agentLoginSessionEntry.setStatus('current') agent_login_session_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionIndex.setStatus('current') agent_login_session_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionUserName.setStatus('current') agent_login_session_connection_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 0), ('serial', 1), ('telnet', 2), ('ssh', 3), ('http', 4), ('https', 5)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionConnectionType.setStatus('current') agent_login_session_idle_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 5), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionIdleTime.setStatus('current') agent_login_session_session_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 6), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionSessionTime.setStatus('current') agent_login_session_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 7), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLoginSessionStatus.setStatus('current') agent_login_session_inet_address_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 8), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionInetAddressType.setStatus('current') agent_login_session_inet_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 1, 1, 9), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLoginSessionInetAddress.setStatus('current') agent_telnet_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2)) agent_telnet_login_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 160))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTelnetLoginTimeout.setStatus('current') agent_telnet_max_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 5))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTelnetMaxSessions.setStatus('current') agent_telnet_allow_new_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 2, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTelnetAllowNewMode.setStatus('current') agent_user_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3)) agent_user_config_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 8))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserConfigCreate.setStatus('current') agent_user_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2)) if mibBuilder.loadTexts: agentUserConfigTable.setStatus('current') agent_user_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentUserIndex')) if mibBuilder.loadTexts: agentUserConfigEntry.setStatus('current') agent_user_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentUserIndex.setStatus('current') agent_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserName.setStatus('current') agent_user_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(8, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserPassword.setStatus('current') agent_user_access_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('suspended', 0), ('read', 1), ('write', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserAccessMode.setStatus('current') agent_user_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 5), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserStatus.setStatus('current') agent_user_authentication_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('hmacmd5', 2), ('hmacsha', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserAuthenticationType.setStatus('current') agent_user_encryption_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('des', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserEncryptionType.setStatus('current') agent_user_encryption_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 8), display_string().subtype(subtypeSpec=value_size_constraint(8, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserEncryptionPassword.setStatus('current') agent_user_lockout_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentUserLockoutStatus.setStatus('current') agent_user_password_expire_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 10), date_and_time()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentUserPasswordExpireTime.setStatus('current') agent_user_snmpv3_access_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('read', 1), ('write', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserSnmpv3AccessMode.setStatus('current') agent_user_privilege_level = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 3, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 1), value_range_constraint(15, 15)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserPrivilegeLevel.setStatus('current') agent_serial_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5)) agent_serial_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 160))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSerialTimeout.setStatus('current') agent_serial_baudrate = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('baud-1200', 1), ('baud-2400', 2), ('baud-4800', 3), ('baud-9600', 4), ('baud-19200', 5), ('baud-38400', 6), ('baud-57600', 7), ('baud-115200', 8)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSerialBaudrate.setStatus('current') agent_serial_character_size = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSerialCharacterSize.setStatus('current') agent_serial_hw_flow_control_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSerialHWFlowControlMode.setStatus('current') agent_serial_stop_bits = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSerialStopBits.setStatus('current') agent_serial_parity_type = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('even', 1), ('odd', 2), ('none', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSerialParityType.setStatus('current') agent_serial_terminal_length = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 5, 7), integer32().subtype(subtypeSpec=value_range_constraint(10, 100))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSerialTerminalLength.setStatus('current') agent_password_management_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6)) agent_password_management_min_length = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 1), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 0), value_range_constraint(8, 64)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementMinLength.setStatus('current') agent_password_management_history = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementHistory.setStatus('current') agent_password_management_aging = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 365))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementAging.setStatus('current') agent_password_management_lock_attempts = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 5))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementLockAttempts.setStatus('current') agent_password_management_password_strength_check = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementPasswordStrengthCheck.setStatus('current') agent_password_management_strength_min_upper_case = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMinUpperCase.setStatus('current') agent_password_management_strength_min_lower_case = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMinLowerCase.setStatus('current') agent_password_management_strength_min_numeric_numbers = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMinNumericNumbers.setStatus('current') agent_password_management_strength_min_special_characters = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 9), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMinSpecialCharacters.setStatus('current') agent_password_management_strength_max_consecutive_characters = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMaxConsecutiveCharacters.setStatus('current') agent_password_management_strength_max_repeated_characters = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMaxRepeatedCharacters.setStatus('current') agent_password_management_strength_min_character_classes = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 12), integer32().subtype(subtypeSpec=value_range_constraint(0, 4))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPasswordManagementStrengthMinCharacterClasses.setStatus('current') agent_password_mgmt_last_password_set_result = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 14), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPasswordMgmtLastPasswordSetResult.setStatus('current') agent_password_management_strength_exclude_keyword_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15)) if mibBuilder.loadTexts: agentPasswordManagementStrengthExcludeKeywordTable.setStatus('current') agent_password_management_strength_exclude_keyword_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentPasswordMgmtStrengthExcludeKeyword')) if mibBuilder.loadTexts: agentPasswordManagementStrengthExcludeKeywordEntry.setStatus('current') agent_password_mgmt_strength_exclude_keyword = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPasswordMgmtStrengthExcludeKeyword.setStatus('current') agent_password_mgmt_strength_exclude_keyword_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 6, 15, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentPasswordMgmtStrengthExcludeKeywordStatus.setStatus('current') agent_ias_user_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7)) agent_ias_user_config_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIASUserConfigCreate.setStatus('current') agent_ias_user_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2)) if mibBuilder.loadTexts: agentIASUserConfigTable.setStatus('current') agent_ias_user_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentIASUserIndex')) if mibBuilder.loadTexts: agentIASUserConfigEntry.setStatus('current') agent_ias_user_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 99))) if mibBuilder.loadTexts: agentIASUserIndex.setStatus('current') agent_ias_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIASUserName.setStatus('current') agent_ias_user_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIASUserPassword.setStatus('current') agent_ias_user_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 1, 7, 2, 1, 4), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIASUserStatus.setStatus('current') agent_lag_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2)) agent_lag_config_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagConfigCreate.setStatus('current') agent_lag_summary_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2)) if mibBuilder.loadTexts: agentLagSummaryConfigTable.setStatus('current') agent_lag_summary_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentLagSummaryLagIndex')) if mibBuilder.loadTexts: agentLagSummaryConfigEntry.setStatus('current') agent_lag_summary_lag_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagSummaryLagIndex.setStatus('current') agent_lag_summary_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagSummaryName.setStatus('current') agent_lag_summary_flush_timer = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryFlushTimer.setStatus('obsolete') agent_lag_summary_link_trap = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryLinkTrap.setStatus('current') agent_lag_summary_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryAdminMode.setStatus('current') agent_lag_summary_stp_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('dot1d', 1), ('fast', 2), ('off', 3), ('dot1s', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryStpMode.setStatus('current') agent_lag_summary_add_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryAddPort.setStatus('current') agent_lag_summary_delete_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryDeletePort.setStatus('current') agent_lag_summary_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 9), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryStatus.setStatus('current') agent_lag_summary_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('static', 1), ('dynamic', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagSummaryType.setStatus('current') agent_lag_summary_port_static_capability = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryPortStaticCapability.setStatus('current') agent_lag_summary_hash = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 7, 8, 9))).clone(namedValues=named_values(('src-mac', 1), ('dst-mac', 2), ('src-dst-mac', 3), ('src-ip-src-ipport', 7), ('dst-ip-dst-ipport', 8), ('src-dst-ip-ipports', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryHash.setStatus('obsolete') agent_lag_summary_hash_option = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(1, 7))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryHashOption.setStatus('current') agent_lag_summary_rate_load_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 2, 1, 15), integer32().subtype(subtypeSpec=value_range_constraint(30, 600))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagSummaryRateLoadInterval.setStatus('current') agent_lag_detailed_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3)) if mibBuilder.loadTexts: agentLagDetailedConfigTable.setStatus('current') agent_lag_detailed_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentLagDetailedLagIndex'), (0, 'SWITCHING-MIB', 'agentLagDetailedIfIndex')) if mibBuilder.loadTexts: agentLagDetailedConfigEntry.setStatus('current') agent_lag_detailed_lag_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagDetailedLagIndex.setStatus('current') agent_lag_detailed_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagDetailedIfIndex.setStatus('current') agent_lag_detailed_port_speed = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 3), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagDetailedPortSpeed.setStatus('current') agent_lag_detailed_port_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentLagDetailedPortStatus.setStatus('current') agent_lag_config_static_capability = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagConfigStaticCapability.setStatus('obsolete') agent_lag_config_group_hash_option = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 2, 5), integer32().subtype(subtypeSpec=value_range_constraint(1, 7))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLagConfigGroupHashOption.setStatus('current') agent_network_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3)) agent_network_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 1), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkIPAddress.setStatus('current') agent_network_subnet_mask = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 2), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkSubnetMask.setStatus('current') agent_network_default_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkDefaultGateway.setStatus('current') agent_network_burned_in_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 4), phys_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkBurnedInMacAddress.setStatus('current') agent_network_local_admin_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 5), phys_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkLocalAdminMacAddress.setStatus('deprecated') agent_network_mac_address_type = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('burned-in', 1), ('local', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkMacAddressType.setStatus('deprecated') agent_network_config_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('bootp', 2), ('dhcp', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkConfigProtocol.setStatus('current') agent_network_web_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkWebMode.setStatus('obsolete') agent_network_java_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkJavaMode.setStatus('obsolete') agent_network_mgmt_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 4093))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkMgmtVlan.setStatus('current') agent_network_config_protocol_dhcp_renew = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('renew', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkConfigProtocolDhcpRenew.setStatus('deprecated') agent_network_config_ip_dhcp_renew = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('renew', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkConfigIpDhcpRenew.setStatus('current') agent_network_config_ipv6_dhcp_renew = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('renew', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkConfigIpv6DhcpRenew.setStatus('current') agent_network_ipv6_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkIpv6AdminMode.setStatus('current') agent_network_ipv6_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 13), ipv6_address_prefix()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkIpv6Gateway.setStatus('current') agent_network_ipv6_addr_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14)) if mibBuilder.loadTexts: agentNetworkIpv6AddrTable.setStatus('current') agent_network_ipv6_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentNetworkIpv6AddrPrefix')) if mibBuilder.loadTexts: agentNetworkIpv6AddrEntry.setStatus('current') agent_network_ipv6_addr_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 1), ipv6_address_prefix()) if mibBuilder.loadTexts: agentNetworkIpv6AddrPrefix.setStatus('current') agent_network_ipv6_addr_prefix_length = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 128))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentNetworkIpv6AddrPrefixLength.setStatus('current') agent_network_ipv6_addr_eui_flag = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentNetworkIpv6AddrEuiFlag.setStatus('current') agent_network_ipv6_addr_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 14, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentNetworkIpv6AddrStatus.setStatus('current') agent_network_ipv6_address_auto_config = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkIpv6AddressAutoConfig.setStatus('current') agent_network_ipv6_config_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('dhcp', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkIpv6ConfigProtocol.setStatus('current') agent_network_dhcp6_client_duid = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 17), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6ClientDuid.setStatus('current') agent_network_stats_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18)) agent_network_dhcp6_advertise_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6ADVERTISEMessagesReceived.setStatus('current') agent_network_dhcp6_reply_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6REPLYMessagesReceived.setStatus('current') agent_network_dhcp6_advertise_messages_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6ADVERTISEMessagesDiscarded.setStatus('current') agent_network_dhcp6_reply_messages_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6REPLYMessagesDiscarded.setStatus('current') agent_network_dhcp6_malformed_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6MalformedMessagesReceived.setStatus('current') agent_network_dhcp6_solicit_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6SOLICITMessagesSent.setStatus('current') agent_network_dhcp6_request_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6REQUESTMessagesSent.setStatus('current') agent_network_dhcp6_renew_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6RENEWMessagesSent.setStatus('current') agent_network_dhcp6_rebind_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6REBINDMessagesSent.setStatus('current') agent_network_dhcp6_release_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentNetworkDhcp6RELEASEMessagesSent.setStatus('current') agent_network_dhcp6_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 3, 18, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNetworkDhcp6StatsReset.setStatus('current') agent_service_port_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4)) agent_service_port_ip_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 1), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortIPAddress.setStatus('current') agent_service_port_subnet_mask = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 2), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortSubnetMask.setStatus('current') agent_service_port_default_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortDefaultGateway.setStatus('current') agent_service_port_burned_in_mac_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 4), phys_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortBurnedInMacAddress.setStatus('current') agent_service_port_config_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('bootp', 2), ('dhcp', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortConfigProtocol.setStatus('current') agent_service_port_protocol_dhcp_renew = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('renew', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortProtocolDhcpRenew.setStatus('deprecated') agent_service_port_ipv6_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortIpv6AdminMode.setStatus('current') agent_service_port_ipv6_gateway = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 8), ipv6_address_prefix()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortIpv6Gateway.setStatus('current') agent_service_port_ipv6_addr_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9)) if mibBuilder.loadTexts: agentServicePortIpv6AddrTable.setStatus('current') agent_service_port_ipv6_addr_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentServicePortIpv6AddrPrefix')) if mibBuilder.loadTexts: agentServicePortIpv6AddrEntry.setStatus('current') agent_service_port_ipv6_addr_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 1), ipv6_address_prefix()) if mibBuilder.loadTexts: agentServicePortIpv6AddrPrefix.setStatus('current') agent_service_port_ipv6_addr_prefix_length = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 128))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentServicePortIpv6AddrPrefixLength.setStatus('current') agent_service_port_ipv6_addr_eui_flag = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentServicePortIpv6AddrEuiFlag.setStatus('current') agent_service_port_ipv6_addr_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 9, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentServicePortIpv6AddrStatus.setStatus('current') agent_service_port_ipv6_address_auto_config = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 10), 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: agentServicePortIpv6AddressAutoConfig.setStatus('current') agent_service_port_ipv6_config_protocol = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('dhcp', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortIpv6ConfigProtocol.setStatus('current') agent_service_port_dhcp6_client_duid = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 12), display_string().subtype(subtypeSpec=value_size_constraint(1, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6ClientDuid.setStatus('current') agent_service_port_stats_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13)) agent_service_port_dhcp6_advertise_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6ADVERTISEMessagesReceived.setStatus('current') agent_service_port_dhcp6_reply_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6REPLYMessagesReceived.setStatus('current') agent_service_port_dhcp6_advertise_messages_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6ADVERTISEMessagesDiscarded.setStatus('current') agent_service_port_dhcp6_reply_messages_discarded = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6REPLYMessagesDiscarded.setStatus('current') agent_service_port_dhcp6_malformed_messages_received = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6MalformedMessagesReceived.setStatus('current') agent_service_port_dhcp6_solicit_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6SOLICITMessagesSent.setStatus('current') agent_service_port_dhcp6_request_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6REQUESTMessagesSent.setStatus('current') agent_service_port_dhcp6_renew_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6RENEWMessagesSent.setStatus('current') agent_service_port_dhcp6_rebind_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6REBINDMessagesSent.setStatus('current') agent_service_port_dhcp6_release_messages_sent = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentServicePortDhcp6RELEASEMessagesSent.setStatus('current') agent_service_port_dhcp6_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 4, 13, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentServicePortDhcp6StatsReset.setStatus('current') agent_snmp_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6)) agent_snmp_community_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityCreate.setStatus('current') agent_snmp_community_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2)) if mibBuilder.loadTexts: agentSnmpCommunityConfigTable.setStatus('current') agent_snmp_community_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSnmpCommunityIndex')) if mibBuilder.loadTexts: agentSnmpCommunityConfigEntry.setStatus('current') agent_snmp_community_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSnmpCommunityIndex.setStatus('current') agent_snmp_community_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityName.setStatus('current') agent_snmp_community_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 3), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityIPAddress.setStatus('current') agent_snmp_community_ip_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 4), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityIPMask.setStatus('current') agent_snmp_community_access_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('read-only', 1), ('read-write', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityAccessMode.setStatus('current') agent_snmp_community_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('notInService', 2), ('config', 3), ('destroy', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpCommunityStatus.setStatus('current') agent_snmp_trap_receiver_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverCreate.setStatus('current') agent_snmp_trap_receiver_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4)) if mibBuilder.loadTexts: agentSnmpTrapReceiverConfigTable.setStatus('current') agent_snmp_trap_receiver_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSnmpTrapReceiverIndex')) if mibBuilder.loadTexts: agentSnmpTrapReceiverConfigEntry.setStatus('current') agent_snmp_trap_receiver_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSnmpTrapReceiverIndex.setStatus('current') agent_snmp_trap_receiver_community_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverCommunityName.setStatus('current') agent_snmp_trap_receiver_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 3), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverIPAddress.setStatus('current') agent_snmp_trap_receiver_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('notInService', 2), ('config', 3), ('destroy', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverStatus.setStatus('current') agent_snmp_trap_receiver_version = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('snmpv1', 1), ('snmpv2c', 2), ('snmpv3', 3))).clone('snmpv2c')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverVersion.setStatus('current') agent_snmp_trap_receiver_security_level = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('auth', 2), ('priv', 3), ('notSupport', 4))).clone('none')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverSecurityLevel.setStatus('current') agent_snmp_trap_receiver_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 4, 1, 7), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535)).clone(162)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapReceiverPort.setStatus('current') agent_snmp_trap_flags_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5)) agent_snmp_authentication_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpAuthenticationTrapFlag.setStatus('current') agent_snmp_link_up_down_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpLinkUpDownTrapFlag.setStatus('current') agent_snmp_multiple_users_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpMultipleUsersTrapFlag.setStatus('current') agent_snmp_spanning_tree_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpSpanningTreeTrapFlag.setStatus('current') agent_snmp_acl_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpACLTrapFlag.setStatus('current') agent_snmp_transceiver_trap_flag = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 5, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTransceiverTrapFlag.setStatus('current') agent_snmp_inform_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6)) agent_snmp_inform_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformAdminMode.setStatus('current') agent_snmp_inform_retires = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 100)).clone(3)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformRetires.setStatus('current') agent_snmp_inform_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000)).clone(15)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformTimeout.setStatus('current') agent_snmp_inform_config_table_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformConfigTableCreate.setStatus('current') agent_snmp_inform_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5)) if mibBuilder.loadTexts: agentSnmpInformConfigTable.setStatus('current') agent_snmp_inform_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSnmpInformIndex')) if mibBuilder.loadTexts: agentSnmpInformConfigEntry.setStatus('current') agent_snmp_inform_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSnmpInformIndex.setStatus('current') agent_snmp_inform_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformName.setStatus('current') agent_snmp_inform_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 3), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformIpAddress.setStatus('current') agent_snmp_inform_version = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(2, 3))).clone(namedValues=named_values(('snmpv2c', 2), ('snmpv3', 3))).clone('snmpv2c')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformVersion.setStatus('current') agent_snmp_inform_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('active', 1), ('notInService', 2), ('config', 3), ('destroy', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformStatus.setStatus('current') agent_snmp_inform_security_level = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 6, 5, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('none', 1), ('auth', 2), ('priv', 3), ('notSupport', 4)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpInformSecurityLevel.setStatus('current') agent_snmp_user_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7)) if mibBuilder.loadTexts: agentSnmpUserConfigTable.setStatus('current') agent_snmp_user_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSnmpUserIndex')) if mibBuilder.loadTexts: agentSnmpUserConfigEntry.setStatus('current') agent_snmp_user_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSnmpUserIndex.setStatus('current') agent_snmp_user_username = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpUserUsername.setStatus('current') agent_snmp_user_authentication = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('none', 1), ('md5', 2), ('sha', 3))).clone('none')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpUserAuthentication.setStatus('current') agent_snmp_user_authentication_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpUserAuthenticationPassword.setStatus('current') agent_snmp_user_encryption = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('none', 1), ('des', 2))).clone('none')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpUserEncryption.setStatus('current') agent_snmp_user_encryption_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpUserEncryptionPassword.setStatus('current') agent_snmp_user_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 7, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 4, 6))).clone(namedValues=named_values(('active', 1), ('create', 4), ('destory', 6))).clone('active')).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSnmpUserStatus.setStatus('current') agent_snmp_engine_id_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8)) if mibBuilder.loadTexts: agentSnmpEngineIdConfigTable.setStatus('current') agent_snmp_trap_source_interface = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 9), interface_index_or_zero()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpTrapSourceInterface.setStatus('current') agent_snmp_engine_id_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSnmpEngineIdIndex')) if mibBuilder.loadTexts: agentSnmpEngineIdConfigEntry.setStatus('current') agent_snmp_engine_id_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSnmpEngineIdIndex.setStatus('current') agent_snmp_engine_id_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 2), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpEngineIdIpAddress.setStatus('current') agent_snmp_engine_id_string = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 24))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSnmpEngineIdString.setStatus('current') agent_snmp_engine_id_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 6, 8, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 4, 6))).clone(namedValues=named_values(('active', 1), ('create', 4), ('destory', 6))).clone('active')).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSnmpEngineIdStatus.setStatus('current') agent_spanning_tree_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 7)) agent_spanning_tree_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 7, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSpanningTreeMode.setStatus('obsolete') agent_switch_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8)) agent_switch_address_aging_timeout_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4)) if mibBuilder.loadTexts: agentSwitchAddressAgingTimeoutTable.setStatus('current') agent_switch_address_aging_timeout_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4, 1)).setIndexNames((0, 'Q-BRIDGE-MIB', 'dot1qFdbId')) if mibBuilder.loadTexts: agentSwitchAddressAgingTimeoutEntry.setStatus('current') agent_switch_address_aging_timeout = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(10, 1000000)).clone(300)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchAddressAgingTimeout.setStatus('current') agent_switch_static_mac_filtering_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5)) if mibBuilder.loadTexts: agentSwitchStaticMacFilteringTable.setStatus('current') agent_switch_static_mac_filtering_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchStaticMacFilteringVlanId'), (0, 'SWITCHING-MIB', 'agentSwitchStaticMacFilteringAddress')) if mibBuilder.loadTexts: agentSwitchStaticMacFilteringEntry.setStatus('current') agent_switch_static_mac_filtering_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchStaticMacFilteringVlanId.setStatus('current') agent_switch_static_mac_filtering_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchStaticMacFilteringAddress.setStatus('current') agent_switch_static_mac_filtering_source_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 3), agent_port_mask()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchStaticMacFilteringSourcePortMask.setStatus('current') agent_switch_static_mac_filtering_dest_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 4), agent_port_mask()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchStaticMacFilteringDestPortMask.setStatus('deprecated') agent_switch_static_mac_filtering_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 5, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchStaticMacFilteringStatus.setStatus('current') agent_switch_snooping_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6)) agent_switch_snooping_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1)) if mibBuilder.loadTexts: agentSwitchSnoopingCfgTable.setStatus('current') agent_switch_snooping_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchSnoopingCfgEntry.setStatus('current') agent_switch_snooping_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 1), inet_address_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingProtocol.setStatus('current') agent_switch_snooping_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingAdminMode.setStatus('current') agent_switch_snooping_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 3), agent_port_mask().clone(hexValue='000000000000')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingPortMask.setStatus('current') agent_switch_snooping_multicast_control_frames_processed = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 6, 1, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingMulticastControlFramesProcessed.setStatus('current') agent_switch_snooping_intf_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7)) agent_switch_snooping_intf_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1)) if mibBuilder.loadTexts: agentSwitchSnoopingIntfTable.setStatus('current') agent_switch_snooping_intf_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchSnoopingIntfEntry.setStatus('current') agent_switch_snooping_intf_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingIntfIndex.setStatus('current') agent_switch_snooping_intf_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingIntfAdminMode.setStatus('current') agent_switch_snooping_intf_group_membership_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(2, 3600)).clone(260)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingIntfGroupMembershipInterval.setStatus('current') agent_switch_snooping_intf_mrp_expiration_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 3600))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingIntfMRPExpirationTime.setStatus('current') agent_switch_snooping_intf_fast_leave_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingIntfFastLeaveAdminMode.setStatus('current') agent_switch_snooping_intf_multicast_router_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingIntfMulticastRouterMode.setStatus('current') agent_switch_snooping_intf_vlan_i_ds = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 7, 1, 1, 8), vlan_list()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingIntfVlanIDs.setStatus('current') agent_switch_snooping_vlan_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8)) agent_switch_snooping_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1)) if mibBuilder.loadTexts: agentSwitchSnoopingVlanTable.setStatus('current') agent_switch_snooping_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1)).setIndexNames((0, 'Q-BRIDGE-MIB', 'dot1qVlanIndex'), (0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchSnoopingVlanEntry.setStatus('current') agent_switch_snooping_vlan_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingVlanAdminMode.setStatus('current') agent_switch_snooping_vlan_group_membership_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(2, 3600)).clone(260)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingVlanGroupMembershipInterval.setStatus('current') agent_switch_snooping_vlan_max_response_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 3599)).clone(10)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingVlanMaxResponseTime.setStatus('current') agent_switch_snooping_vlan_fast_leave_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingVlanFastLeaveAdminMode.setStatus('current') agent_switch_snooping_vlan_mrp_expiration_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 8, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 3600))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingVlanMRPExpirationTime.setStatus('current') agent_switch_vlan_static_mrouter_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9)) agent_switch_vlan_static_mrouter_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1)) if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterTable.setStatus('current') agent_switch_vlan_static_mrouter_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'Q-BRIDGE-MIB', 'dot1qVlanIndex'), (0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterEntry.setStatus('current') agent_switch_vlan_static_mrouter_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 9, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchVlanStaticMrouterAdminMode.setStatus('current') agent_switch_mfdb_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10)) agent_switch_mfdb_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1)) if mibBuilder.loadTexts: agentSwitchMFDBTable.setStatus('current') agent_switch_mfdb_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchMFDBVlanId'), (0, 'SWITCHING-MIB', 'agentSwitchMFDBMacAddress'), (0, 'SWITCHING-MIB', 'agentSwitchMFDBProtocolType'), (0, 'SWITCHING-MIB', 'agentSwitchMFDBType')) if mibBuilder.loadTexts: agentSwitchMFDBEntry.setStatus('current') agent_switch_mfdb_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 1), vlan_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBVlanId.setStatus('current') agent_switch_mfdb_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBMacAddress.setStatus('current') agent_switch_mfdb_protocol_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4))).clone(namedValues=named_values(('static', 1), ('gmrp', 2), ('igmp', 3), ('mld', 4)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBProtocolType.setStatus('current') agent_switch_mfdb_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('static', 1), ('dynamic', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBType.setStatus('current') agent_switch_mfdb_description = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 5), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBDescription.setStatus('current') agent_switch_mfdb_forwarding_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 6), agent_port_mask()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBForwardingPortMask.setStatus('current') agent_switch_mfdb_filtering_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 1, 1, 7), agent_port_mask()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBFilteringPortMask.setStatus('current') agent_switch_mfdb_summary_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2)) if mibBuilder.loadTexts: agentSwitchMFDBSummaryTable.setStatus('current') agent_switch_mfdb_summary_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchMFDBSummaryVlanId'), (0, 'SWITCHING-MIB', 'agentSwitchMFDBSummaryMacAddress')) if mibBuilder.loadTexts: agentSwitchMFDBSummaryEntry.setStatus('current') agent_switch_mfdb_summary_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 1), vlan_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBSummaryVlanId.setStatus('current') agent_switch_mfdb_summary_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBSummaryMacAddress.setStatus('current') agent_switch_mfdb_summary_forwarding_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 2, 1, 3), agent_port_mask()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBSummaryForwardingPortMask.setStatus('current') agent_switch_mfdb_max_table_entries = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 3), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBMaxTableEntries.setStatus('current') agent_switch_mfdb_most_entries_used = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 4), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBMostEntriesUsed.setStatus('current') agent_switch_mfdb_current_entries = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 10, 5), gauge32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchMFDBCurrentEntries.setStatus('current') agent_switch_d_vlan_tag_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11)) agent_switch_d_vlan_tag_ethertype = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchDVlanTagEthertype.setStatus('obsolete') agent_switch_d_vlan_tag_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2)) if mibBuilder.loadTexts: agentSwitchDVlanTagTable.setStatus('obsolete') agent_switch_d_vlan_tag_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchDVlanTagTPid')) if mibBuilder.loadTexts: agentSwitchDVlanTagEntry.setStatus('obsolete') agent_switch_d_vlan_tag_t_pid = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: agentSwitchDVlanTagTPid.setStatus('obsolete') agent_switch_d_vlan_tag_primary_t_pid = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchDVlanTagPrimaryTPid.setStatus('obsolete') agent_switch_d_vlan_tag_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchDVlanTagRowStatus.setStatus('obsolete') agent_switch_port_d_vlan_tag_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3)) if mibBuilder.loadTexts: agentSwitchPortDVlanTagTable.setStatus('obsolete') agent_switch_port_d_vlan_tag_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchPortDVlanTagInterfaceIfIndex'), (0, 'SWITCHING-MIB', 'agentSwitchPortDVlanTagTPid')) if mibBuilder.loadTexts: agentSwitchPortDVlanTagEntry.setStatus('obsolete') agent_switch_port_d_vlan_tag_interface_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchPortDVlanTagInterfaceIfIndex.setStatus('obsolete') agent_switch_port_d_vlan_tag_t_pid = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))) if mibBuilder.loadTexts: agentSwitchPortDVlanTagTPid.setStatus('obsolete') agent_switch_port_d_vlan_tag_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchPortDVlanTagMode.setStatus('obsolete') agent_switch_port_d_vlan_tag_customer_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchPortDVlanTagCustomerId.setStatus('obsolete') agent_switch_port_d_vlan_tag_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 3, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchPortDVlanTagRowStatus.setStatus('obsolete') agent_switch_if_d_vlan_tag_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4)) if mibBuilder.loadTexts: agentSwitchIfDVlanTagTable.setStatus('current') agent_switch_if_d_vlan_tag_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchIfDVlanTagIfIndex')) if mibBuilder.loadTexts: agentSwitchIfDVlanTagEntry.setStatus('current') agent_switch_if_d_vlan_tag_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchIfDVlanTagIfIndex.setStatus('current') agent_switch_if_d_vlan_tag_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchIfDVlanTagMode.setStatus('current') agent_switch_if_d_vlan_tag_t_pid = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 11, 4, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchIfDVlanTagTPid.setStatus('current') agent_switch_vlan_mac_association_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17)) agent_switch_vlan_mac_association_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1)) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationTable.setStatus('current') agent_switch_vlan_mac_association_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchVlanMacAssociationMacAddress'), (0, 'SWITCHING-MIB', 'agentSwitchVlanMacAssociationVlanId'), (0, 'SWITCHING-MIB', 'agentSwitchVlanMacAssociationPriority')) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationEntry.setStatus('current') agent_switch_vlan_mac_association_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 1), mac_address()) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationMacAddress.setStatus('current') agent_switch_vlan_mac_association_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 2), vlan_index()) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationVlanId.setStatus('current') agent_switch_vlan_mac_association_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 7))) if mibBuilder.loadTexts: agentSwitchVlanMacAssociationPriority.setStatus('current') agent_switch_vlan_mac_association_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 17, 1, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchVlanMacAssociationRowStatus.setStatus('current') agent_switch_protected_port_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18)) agent_switch_protected_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1)) if mibBuilder.loadTexts: agentSwitchProtectedPortTable.setStatus('current') agent_switch_protected_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchProtectedPortGroupId')) if mibBuilder.loadTexts: agentSwitchProtectedPortEntry.setStatus('current') agent_switch_protected_port_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentSwitchProtectedPortGroupId.setStatus('current') agent_switch_protected_port_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchProtectedPortGroupName.setStatus('current') agent_switch_protected_port_port_list = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 18, 1, 1, 3), port_list()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchProtectedPortPortList.setStatus('current') agent_switch_vlan_subnet_association_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19)) agent_switch_vlan_subnet_association_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1)) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationTable.setStatus('current') agent_switch_vlan_subnet_association_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchVlanSubnetAssociationIPAddress'), (0, 'SWITCHING-MIB', 'agentSwitchVlanSubnetAssociationSubnetMask'), (0, 'SWITCHING-MIB', 'agentSwitchVlanSubnetAssociationVlanId'), (0, 'SWITCHING-MIB', 'agentSwitchVlanSubnetAssociationPriority')) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationEntry.setStatus('current') agent_switch_vlan_subnet_association_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 1), ip_address()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationIPAddress.setStatus('current') agent_switch_vlan_subnet_association_subnet_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 2), ip_address()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationSubnetMask.setStatus('current') agent_switch_vlan_subnet_association_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 3), vlan_index()) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationVlanId.setStatus('current') agent_switch_vlan_subnet_association_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 7))) if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationPriority.setStatus('current') agent_switch_vlan_subnet_association_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 19, 1, 1, 4), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentSwitchVlanSubnetAssociationRowStatus.setStatus('current') agent_switch_snooping_querier_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20)) agent_switch_snooping_querier_cfg_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1)) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierCfgTable.setStatus('current') agent_switch_snooping_querier_cfg_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierCfgEntry.setStatus('current') agent_switch_snooping_querier_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierAdminMode.setStatus('current') agent_switch_snooping_querier_version = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVersion.setStatus('current') agent_switch_snooping_querier_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 3), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierAddress.setStatus('current') agent_switch_snooping_querier_query_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(1, 1800)).clone(60)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierQueryInterval.setStatus('current') agent_switch_snooping_querier_expiry_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 1, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(60, 300)).clone(120)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierExpiryInterval.setStatus('current') agent_switch_snooping_querier_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2)) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanTable.setStatus('current') agent_switch_snooping_querier_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1)).setIndexNames((0, 'Q-BRIDGE-MIB', 'dot1qVlanIndex'), (0, 'SWITCHING-MIB', 'agentSwitchSnoopingProtocol')) if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanEntry.setStatus('current') agent_switch_snooping_querier_vlan_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanAdminMode.setStatus('current') agent_switch_snooping_querier_vlan_oper_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('disabled', 0), ('querier', 1), ('non-querier', 2))).clone('disabled')).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanOperMode.setStatus('current') agent_switch_snooping_querier_election_participate_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disable', 0), ('enable', 1))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierElectionParticipateMode.setStatus('current') agent_switch_snooping_querier_vlan_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 4), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierVlanAddress.setStatus('current') agent_switch_snooping_querier_oper_version = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierOperVersion.setStatus('current') agent_switch_snooping_querier_oper_max_response_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 2147483647)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierOperMaxResponseTime.setStatus('current') agent_switch_snooping_querier_last_querier_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 7), inet_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierLastQuerierAddress.setStatus('current') agent_switch_snooping_querier_last_querier_version = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 20, 2, 1, 8), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchSnoopingQuerierLastQuerierVersion.setStatus('current') agent_transfer_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9)) agent_transfer_upload_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1)) agent_transfer_upload_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 5, 6, 7))).clone(namedValues=named_values(('tftp', 1), ('sftp', 5), ('scp', 6), ('ftp', 7)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadMode.setStatus('current') agent_transfer_upload_path = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 160))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadPath.setStatus('current') agent_transfer_upload_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadFilename.setStatus('current') agent_transfer_upload_script_from_switch_src_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadScriptFromSwitchSrcFilename.setStatus('current') agent_transfer_upload_startup_config_from_switch_src_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadStartupConfigFromSwitchSrcFilename.setStatus('current') agent_transfer_upload_op_code_from_switch_src_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadOpCodeFromSwitchSrcFilename.setStatus('current') agent_transfer_upload_data_type = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('script', 1), ('code', 2), ('config', 3), ('errorlog', 4), ('messagelog', 5), ('traplog', 6), ('clibanner', 7), ('vmtracer', 8), ('runningConfig', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadDataType.setStatus('current') agent_transfer_upload_start = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadStart.setStatus('current') agent_transfer_upload_status = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=named_values(('notInitiated', 1), ('transferStarting', 2), ('errorStarting', 3), ('wrongFileType', 4), ('updatingConfig', 5), ('invalidConfigFile', 6), ('writingToFlash', 7), ('failureWritingToFlash', 8), ('checkingCRC', 9), ('failedCRC', 10), ('unknownDirection', 11), ('transferSuccessful', 12), ('transferFailed', 13), ('fileNotExist', 14), ('runByOtherUsers', 15)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTransferUploadStatus.setStatus('current') agent_transfer_upload_server_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 12), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadServerAddress.setStatus('current') agent_transfer_upload_username = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadUsername.setStatus('current') agent_transfer_upload_password = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 1, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferUploadPassword.setStatus('current') agent_transfer_download_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2)) agent_transfer_download_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 5, 6, 7))).clone(namedValues=named_values(('tftp', 1), ('sftp', 5), ('scp', 6), ('ftp', 7)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadMode.setStatus('current') agent_transfer_download_path = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 160))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadPath.setStatus('current') agent_transfer_download_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadFilename.setStatus('current') agent_transfer_download_script_to_switch_dest_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadScriptToSwitchDestFilename.setStatus('current') agent_transfer_download_op_code_to_switch_dest_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 6), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadOPCodeToSwitchDestFilename.setStatus('current') agent_transfer_download_startup_config_to_switch_dest_filename = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 7), display_string().subtype(subtypeSpec=value_size_constraint(0, 30))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadStartupConfigToSwitchDestFilename.setStatus('current') agent_transfer_download_data_type = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=named_values(('script', 1), ('code', 2), ('config', 3), ('sshkey-rsa1', 4), ('sshkey-rsa2', 5), ('sshkey-dsa', 6), ('sslpem-root', 7), ('sslpem-server', 8), ('sslpem-dhweak', 9), ('sslpem-dhstrong', 10), ('clibanner', 11), ('vmtracer', 12), ('license', 13)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadDataType.setStatus('current') agent_transfer_download_start = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadStart.setStatus('current') agent_transfer_download_status = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=named_values(('notInitiated', 1), ('transferStarting', 2), ('errorStarting', 3), ('wrongFileType', 4), ('updatingConfig', 5), ('invalidConfigFile', 6), ('writingToFlash', 7), ('failureWritingToFlash', 8), ('checkingCRC', 9), ('failedCRC', 10), ('unknownDirection', 11), ('transferSuccessful', 12), ('transferFailed', 13), ('fileExist', 14), ('noPartitionTableEntry', 15), ('runByOtherUsers', 16)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentTransferDownloadStatus.setStatus('current') agent_transfer_download_server_address = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 12), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadServerAddress.setStatus('current') agent_transfer_download_username = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 14), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadUsername.setStatus('current') agent_transfer_download_password = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 2, 15), display_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentTransferDownloadPassword.setStatus('current') agent_image_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3)) agent_image1 = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 1), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentImage1.setStatus('current') agent_image2 = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentImage2.setStatus('current') agent_active_image = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 3), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentActiveImage.setStatus('current') agent_next_active_image = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 9, 3, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentNextActiveImage.setStatus('current') agent_port_mirroring_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10)) agent_port_mirror_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4)) if mibBuilder.loadTexts: agentPortMirrorTable.setStatus('current') agent_port_mirror_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentPortMirrorSessionNum')) if mibBuilder.loadTexts: agentPortMirrorEntry.setStatus('current') agent_port_mirror_session_num = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentPortMirrorSessionNum.setStatus('current') agent_port_mirror_destination_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 2), unsigned32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMirrorDestinationPort.setStatus('current') agent_port_mirror_source_port_mask = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 3), agent_port_mask()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMirrorSourcePortMask.setStatus('current') agent_port_mirror_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('enable', 1), ('disable', 2), ('delete', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMirrorAdminMode.setStatus('current') agent_port_mirror_type_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5)) if mibBuilder.loadTexts: agentPortMirrorTypeTable.setStatus('current') agent_port_mirror_type_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentPortMirrorSessionNum'), (0, 'SWITCHING-MIB', 'agentPortMirrorTypeSourcePort')) if mibBuilder.loadTexts: agentPortMirrorTypeEntry.setStatus('current') agent_port_mirror_type_source_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentPortMirrorTypeSourcePort.setStatus('current') agent_port_mirror_type_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 10, 5, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('tx', 1), ('rx', 2), ('txrx', 3))).clone('txrx')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMirrorTypeType.setStatus('current') agent_dot3ad_agg_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12)) if mibBuilder.loadTexts: agentDot3adAggPortTable.setStatus('current') agent_dot3ad_agg_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDot3adAggPort')) if mibBuilder.loadTexts: agentDot3adAggPortEntry.setStatus('current') agent_dot3ad_agg_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDot3adAggPort.setStatus('current') agent_dot3ad_agg_port_lacp_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 12, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDot3adAggPortLACPMode.setStatus('current') agent_port_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13)) if mibBuilder.loadTexts: agentPortConfigTable.setStatus('current') agent_port_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentPortDot1dBasePort')) if mibBuilder.loadTexts: agentPortConfigEntry.setStatus('current') agent_port_dot1d_base_port = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortDot1dBasePort.setStatus('current') agent_port_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortIfIndex.setStatus('current') agent_port_iana_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 3), ian_aif_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortIanaType.setStatus('current') agent_port_stp_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dot1d', 1), ('fast', 2), ('off', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortSTPMode.setStatus('deprecated') agent_port_stp_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('discarding', 1), ('learning', 2), ('forwarding', 3), ('disabled', 4), ('manualFwd', 5), ('notParticipate', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortSTPState.setStatus('deprecated') agent_port_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortAdminMode.setStatus('current') agent_port_link_trap_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortLinkTrapMode.setStatus('current') agent_port_clear_stats = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortClearStats.setStatus('current') agent_port_default_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 11), object_identifier()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortDefaultType.setStatus('current') agent_port_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 12), object_identifier()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortType.setStatus('current') agent_port_auto_neg_admin_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortAutoNegAdminStatus.setStatus('current') agent_port_max_frame_size_limit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortMaxFrameSizeLimit.setStatus('current') agent_port_max_frame_size = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 19), integer32().subtype(subtypeSpec=value_range_constraint(1518, 12288))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMaxFrameSize.setStatus('current') agent_port_capability = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 26), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortCapability.setStatus('current') agent_port_broadcast_control_threshold_unit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 27), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('percent', 1), ('pps', 2))).clone('percent')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortBroadcastControlThresholdUnit.setStatus('current') agent_port_multicast_control_threshold_unit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('percent', 1), ('pps', 2))).clone('percent')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortMulticastControlThresholdUnit.setStatus('current') agent_port_unicast_control_threshold_unit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('percent', 1), ('pps', 2))).clone('percent')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortUnicastControlThresholdUnit.setStatus('current') agent_port_voice_vlan_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('none', 1), ('vlanid', 2), ('dot1p', 3), ('untagged', 4), ('disable', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanMode.setStatus('current') agent_port_voice_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 31), integer32().subtype(subtypeSpec=value_range_constraint(1, 4093))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanID.setStatus('current') agent_port_voice_vlan_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 32), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 7), value_range_constraint(255, 255)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanPriority.setStatus('current') agent_port_voice_vlan_data_priority_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 33), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('trust', 1), ('untrust', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanDataPriorityMode.setStatus('current') agent_port_voice_vlan_operational_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 34), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enabled', 1), ('disabled', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortVoiceVlanOperationalStatus.setStatus('current') agent_port_voice_vlan_untagged = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 35), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanUntagged.setStatus('current') agent_port_voice_vlan_none_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 36), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanNoneMode.setStatus('current') agent_port_voice_vlan_auth_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 38), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortVoiceVlanAuthMode.setStatus('current') agent_port_dot3_flow_control_oper_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 39), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('active', 1), ('inactive', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentPortDot3FlowControlOperStatus.setStatus('current') agent_port_load_stats_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 13, 1, 40), integer32().subtype(subtypeSpec=value_range_constraint(30, 600)).clone(300)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentPortLoadStatsInterval.setStatus('current') agent_protocol_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14)) agent_protocol_group_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 1), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupCreate.setStatus('obsolete') agent_protocol_group_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2)) if mibBuilder.loadTexts: agentProtocolGroupTable.setStatus('current') agent_protocol_group_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentProtocolGroupId')) if mibBuilder.loadTexts: agentProtocolGroupEntry.setStatus('current') agent_protocol_group_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))) if mibBuilder.loadTexts: agentProtocolGroupId.setStatus('current') agent_protocol_group_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 2), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 16)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupName.setStatus('current') agent_protocol_group_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 4093))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupVlanId.setStatus('current') agent_protocol_group_protocol_ip = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupProtocolIP.setStatus('obsolete') agent_protocol_group_protocol_arp = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupProtocolARP.setStatus('obsolete') agent_protocol_group_protocol_ipx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentProtocolGroupProtocolIPX.setStatus('obsolete') agent_protocol_group_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 2, 1, 7), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentProtocolGroupStatus.setStatus('current') agent_protocol_group_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3)) if mibBuilder.loadTexts: agentProtocolGroupPortTable.setStatus('current') agent_protocol_group_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentProtocolGroupId'), (0, 'SWITCHING-MIB', 'agentProtocolGroupPortIfIndex')) if mibBuilder.loadTexts: agentProtocolGroupPortEntry.setStatus('current') agent_protocol_group_port_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentProtocolGroupPortIfIndex.setStatus('current') agent_protocol_group_port_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 3, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentProtocolGroupPortStatus.setStatus('current') agent_protocol_group_protocol_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4)) if mibBuilder.loadTexts: agentProtocolGroupProtocolTable.setStatus('current') agent_protocol_group_protocol_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentProtocolGroupId'), (0, 'SWITCHING-MIB', 'agentProtocolGroupProtocolID')) if mibBuilder.loadTexts: agentProtocolGroupProtocolEntry.setStatus('current') agent_protocol_group_protocol_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1536, 65535))) if mibBuilder.loadTexts: agentProtocolGroupProtocolID.setStatus('current') agent_protocol_group_protocol_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 14, 4, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentProtocolGroupProtocolStatus.setStatus('current') agent_stp_switch_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15)) agent_stp_config_digest_key = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 1), octet_string().subtype(subtypeSpec=value_size_constraint(16, 16)).setFixedLength(16)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpConfigDigestKey.setStatus('current') agent_stp_config_format_selector = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpConfigFormatSelector.setStatus('current') agent_stp_config_name = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpConfigName.setStatus('current') agent_stp_config_revision = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpConfigRevision.setStatus('current') agent_stp_force_version = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dot1d', 1), ('dot1w', 2), ('dot1s', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpForceVersion.setStatus('current') agent_stp_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpAdminMode.setStatus('current') agent_stp_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7)) if mibBuilder.loadTexts: agentStpPortTable.setStatus('current') agent_stp_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentStpPortEntry.setStatus('current') agent_stp_port_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpPortState.setStatus('current') agent_stp_port_stats_mstp_bpdu_rx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsMstpBpduRx.setStatus('current') agent_stp_port_stats_mstp_bpdu_tx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsMstpBpduTx.setStatus('current') agent_stp_port_stats_rstp_bpdu_rx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsRstpBpduRx.setStatus('current') agent_stp_port_stats_rstp_bpdu_tx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsRstpBpduTx.setStatus('current') agent_stp_port_stats_stp_bpdu_rx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsStpBpduRx.setStatus('current') agent_stp_port_stats_stp_bpdu_tx = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortStatsStpBpduTx.setStatus('current') agent_stp_port_up_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 8), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortUpTime.setStatus('current') agent_stp_port_migration_check = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpPortMigrationCheck.setStatus('current') agent_stp_port_hello_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpPortHelloTime.setStatus('current') agent_stp_port_bpdu_guard = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 7, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpPortBPDUGuard.setStatus('current') agent_stp_cst_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8)) agent_stp_cst_hello_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 1), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstHelloTime.setStatus('current') agent_stp_cst_max_age = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 2), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstMaxAge.setStatus('current') agent_stp_cst_regional_root_id = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 3), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstRegionalRootId.setStatus('current') agent_stp_cst_regional_root_path_cost = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 4), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstRegionalRootPathCost.setStatus('current') agent_stp_cst_root_fwd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstRootFwdDelay.setStatus('current') agent_stp_cst_bridge_fwd_delay = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(4, 30)).clone(15)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstBridgeFwdDelay.setStatus('current') agent_stp_cst_bridge_hello_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstBridgeHelloTime.setStatus('current') agent_stp_cst_bridge_hold_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 8), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstBridgeHoldTime.setStatus('current') agent_stp_cst_bridge_max_age = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 40)).clone(20)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstBridgeMaxAge.setStatus('current') agent_stp_cst_bridge_max_hops = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(6, 40)).clone(20)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstBridgeMaxHops.setStatus('current') agent_stp_cst_bridge_priority = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 61440)).clone(32768)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstBridgePriority.setStatus('current') agent_stp_cst_bridge_hold_count = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 8, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 10)).clone(6)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstBridgeHoldCount.setStatus('current') agent_stp_cst_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9)) if mibBuilder.loadTexts: agentStpCstPortTable.setStatus('current') agent_stp_cst_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentStpCstPortEntry.setStatus('current') agent_stp_cst_port_oper_edge = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortOperEdge.setStatus('current') agent_stp_cst_port_oper_point_to_point = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortOperPointToPoint.setStatus('current') agent_stp_cst_port_topology_change_ack = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortTopologyChangeAck.setStatus('current') agent_stp_cst_port_edge = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortEdge.setStatus('current') agent_stp_cst_port_forwarding_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('discarding', 1), ('learning', 2), ('forwarding', 3), ('disabled', 4), ('manualFwd', 5), ('notParticipate', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortForwardingState.setStatus('current') agent_stp_cst_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortId.setStatus('current') agent_stp_cst_port_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 200000000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortPathCost.setStatus('current') agent_stp_cst_port_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 240)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortPriority.setStatus('current') agent_stp_cst_designated_bridge_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 9), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstDesignatedBridgeId.setStatus('current') agent_stp_cst_designated_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 10), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstDesignatedCost.setStatus('current') agent_stp_cst_designated_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 11), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstDesignatedPortId.setStatus('current') agent_stp_cst_ext_port_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 200000000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstExtPortPathCost.setStatus('current') agent_stp_cst_port_bpdu_guard_effect = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpCstPortBpduGuardEffect.setStatus('current') agent_stp_cst_port_bpdu_filter = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortBpduFilter.setStatus('current') agent_stp_cst_port_bpdu_flood = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortBpduFlood.setStatus('current') agent_stp_cst_port_auto_edge = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 16), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortAutoEdge.setStatus('current') agent_stp_cst_port_root_guard = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 17), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortRootGuard.setStatus('current') agent_stp_cst_port_tcn_guard = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortTCNGuard.setStatus('current') agent_stp_cst_port_loop_guard = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 9, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpCstPortLoopGuard.setStatus('current') agent_stp_mst_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10)) if mibBuilder.loadTexts: agentStpMstTable.setStatus('current') agent_stp_mst_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentStpMstId')) if mibBuilder.loadTexts: agentStpMstEntry.setStatus('current') agent_stp_mst_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 1), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstId.setStatus('current') agent_stp_mst_bridge_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 61440))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpMstBridgePriority.setStatus('current') agent_stp_mst_bridge_identifier = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 3), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstBridgeIdentifier.setStatus('current') agent_stp_mst_designated_root_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 4), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstDesignatedRootId.setStatus('current') agent_stp_mst_root_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 5), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstRootPathCost.setStatus('current') agent_stp_mst_root_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 6), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstRootPortId.setStatus('current') agent_stp_mst_time_since_topology_change = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 7), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstTimeSinceTopologyChange.setStatus('current') agent_stp_mst_topology_change_count = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstTopologyChangeCount.setStatus('current') agent_stp_mst_topology_change_parm = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('true', 1), ('false', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstTopologyChangeParm.setStatus('current') agent_stp_mst_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 10, 1, 10), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStpMstRowStatus.setStatus('current') agent_stp_mst_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11)) if mibBuilder.loadTexts: agentStpMstPortTable.setStatus('current') agent_stp_mst_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentStpMstId'), (0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentStpMstPortEntry.setStatus('current') agent_stp_mst_port_forwarding_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('discarding', 1), ('learning', 2), ('forwarding', 3), ('disabled', 4), ('manualFwd', 5), ('notParticipate', 6)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstPortForwardingState.setStatus('current') agent_stp_mst_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstPortId.setStatus('current') agent_stp_mst_port_path_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 200000000))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpMstPortPathCost.setStatus('current') agent_stp_mst_port_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 240)).clone(128)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpMstPortPriority.setStatus('current') agent_stp_mst_designated_bridge_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 5), octet_string().subtype(subtypeSpec=value_size_constraint(8, 8)).setFixedLength(8)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstDesignatedBridgeId.setStatus('current') agent_stp_mst_designated_cost = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 6), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstDesignatedCost.setStatus('current') agent_stp_mst_designated_port_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 7), octet_string().subtype(subtypeSpec=value_size_constraint(2, 2)).setFixedLength(2)).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstDesignatedPortId.setStatus('current') agent_stp_mst_port_loop_inconsistent_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstPortLoopInconsistentState.setStatus('current') agent_stp_mst_port_transitions_into_loop_inconsistent_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstPortTransitionsIntoLoopInconsistentState.setStatus('current') agent_stp_mst_port_transitions_out_of_loop_inconsistent_state = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 11, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentStpMstPortTransitionsOutOfLoopInconsistentState.setStatus('current') agent_stp_mst_vlan_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12)) if mibBuilder.loadTexts: agentStpMstVlanTable.setStatus('current') agent_stp_mst_vlan_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentStpMstId'), (0, 'Q-BRIDGE-MIB', 'dot1qVlanIndex')) if mibBuilder.loadTexts: agentStpMstVlanEntry.setStatus('current') agent_stp_mst_vlan_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 12, 1, 1), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStpMstVlanRowStatus.setStatus('current') agent_stp_bpdu_guard_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpBpduGuardMode.setStatus('current') agent_stp_bpdu_filter_default = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 14), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpBpduFilterDefault.setStatus('current') agent_stp_uplink_fast = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 15, 15), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStpUplinkFast.setStatus('current') agent_authentication_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16)) agent_authentication_list_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 1), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 15)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListCreate.setStatus('current') agent_authentication_enable_list_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 7), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 15)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationEnableListCreate.setStatus('current') agent_authentication_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2)) if mibBuilder.loadTexts: agentAuthenticationListTable.setStatus('current') agent_authentication_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentAuthenticationListIndex')) if mibBuilder.loadTexts: agentAuthenticationListEntry.setStatus('current') agent_authentication_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentAuthenticationListIndex.setStatus('current') agent_authentication_list_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListName.setStatus('current') agent_authentication_list_method1 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 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(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod1.setStatus('current') agent_authentication_list_method2 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod2.setStatus('current') agent_authentication_list_method3 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod3.setStatus('current') agent_authentication_list_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListStatus.setStatus('current') agent_authentication_list_method4 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod4.setStatus('current') agent_authentication_list_method5 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod5.setStatus('current') agent_authentication_list_method6 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=named_values(('undefined', 0), ('enable', 1), ('line', 2), ('local', 3), ('none', 4), ('radius', 5), ('tacacs', 6), ('ias', 7), ('reject', 8), ('ldap', 9)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAuthenticationListMethod6.setStatus('current') agent_authentication_list_access_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=named_values(('unknown', 0), ('console', 1), ('telnet', 2), ('ssh', 3), ('https', 4), ('http', 5), ('dot1x', 6), ('cts', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentAuthenticationListAccessType.setStatus('current') agent_authentication_list_access_level = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 2, 1, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('unknown', 0), ('login', 1), ('enable', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentAuthenticationListAccessLevel.setStatus('current') agent_user_config_default_authentication_list = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserConfigDefaultAuthenticationList.setStatus('current') agent_user_config_default_authentication_dot1x_list = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserConfigDefaultAuthenticationDot1xList.setStatus('current') agent_user_authentication_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4)) if mibBuilder.loadTexts: agentUserAuthenticationConfigTable.setStatus('current') agent_user_authentication_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1)) agentUserConfigEntry.registerAugmentions(('SWITCHING-MIB', 'agentUserAuthenticationConfigEntry')) agentUserAuthenticationConfigEntry.setIndexNames(*agentUserConfigEntry.getIndexNames()) if mibBuilder.loadTexts: agentUserAuthenticationConfigEntry.setStatus('current') agent_user_authentication_list = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserAuthenticationList.setStatus('current') agent_user_authentication_dot1x_list = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 4, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserAuthenticationDot1xList.setStatus('current') agent_user_port_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5)) if mibBuilder.loadTexts: agentUserPortConfigTable.setStatus('current') agent_user_port_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5, 1)) agentUserConfigEntry.registerAugmentions(('SWITCHING-MIB', 'agentUserPortConfigEntry')) agentUserPortConfigEntry.setIndexNames(*agentUserConfigEntry.getIndexNames()) if mibBuilder.loadTexts: agentUserPortConfigEntry.setStatus('current') agent_user_port_security = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 16, 5, 1, 1), agent_port_mask()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUserPortSecurity.setStatus('current') agent_class_of_service_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17)) agent_class_of_service_port_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1)) if mibBuilder.loadTexts: agentClassOfServicePortTable.setStatus('current') agent_class_of_service_port_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex'), (0, 'SWITCHING-MIB', 'agentClassOfServicePortPriority')) if mibBuilder.loadTexts: agentClassOfServicePortEntry.setStatus('current') agent_class_of_service_port_priority = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))) if mibBuilder.loadTexts: agentClassOfServicePortPriority.setStatus('current') agent_class_of_service_port_class = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 17, 1, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 7))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClassOfServicePortClass.setStatus('current') agent_http_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19)) agent_http_max_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 16))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentHTTPMaxSessions.setStatus('current') agent_http_hard_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 168))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentHTTPHardTimeout.setStatus('current') agent_http_soft_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 19, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 60))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentHTTPSoftTimeout.setStatus('current') agent_auto_install_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20)) agent_autoinstall_persistent_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallPersistentMode.setStatus('current') agent_autoinstall_autosave_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallAutosaveMode.setStatus('current') agent_autoinstall_unicast_retry_count = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 3), integer32().subtype(subtypeSpec=value_range_constraint(1, 3))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallUnicastRetryCount.setStatus('current') agent_autoinstall_status = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 4), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentAutoinstallStatus.setStatus('current') agent_autoinstall_auto_reboot_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallAutoRebootMode.setStatus('current') agent_autoinstall_operational_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallOperationalMode.setStatus('current') agent_autoinstall_auto_upgrade_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 20, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentAutoinstallAutoUpgradeMode.setStatus('current') agent_ldap_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25)) agent_ldap_server_ip = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 1), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLDAPServerIP.setStatus('current') agent_ldap_server_port = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 2), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLDAPServerPort.setStatus('current') agent_ldap_base_dn = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 3), display_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLDAPBaseDn.setStatus('current') agent_ldap_rac_name = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLDAPRacName.setStatus('current') agent_ldap_rac_domain = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 25, 5), display_string().subtype(subtypeSpec=value_size_constraint(0, 256))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentLDAPRacDomain.setStatus('current') agent_d_dns_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26)) agent_d_dns_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1)) if mibBuilder.loadTexts: agentDDnsConfigTable.setStatus('current') agent_d_dns_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDDnsIndex')) if mibBuilder.loadTexts: agentDDnsConfigEntry.setStatus('current') agent_d_dns_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentDDnsIndex.setStatus('current') agent_d_dns_serv_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=named_values(('easydns', 0), ('dyndns', 1), ('dhs', 2), ('ods', 3), ('dyns', 4), ('zoneedit', 5), ('tzo', 6)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDDnsServName.setStatus('current') agent_d_dns_user_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 3), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDDnsUserName.setStatus('current') agent_d_dns_password = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDDnsPassword.setStatus('current') agent_d_dns_host = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 5), display_string().subtype(subtypeSpec=value_size_constraint(1, 44))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDDnsHost.setStatus('current') agent_d_dns_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 6), display_string().subtype(subtypeSpec=value_size_constraint(1, 15)).clone('0.0.0.0')).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDDnsAddress.setStatus('current') agent_d_dns_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 26, 1, 1, 7), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDDnsStatus.setStatus('current') agent_udld_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28)) agent_udld_message_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 1), unsigned32().subtype(subtypeSpec=value_range_constraint(7, 90))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUdldMessageTime.setStatus('current') agent_udld_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2)) if mibBuilder.loadTexts: agentUdldConfigTable.setStatus('current') agent_udld_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentUdldIndex')) if mibBuilder.loadTexts: agentUdldConfigEntry.setStatus('current') agent_udld_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 1), unsigned32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentUdldIndex.setStatus('current') agent_udld_intf_admin_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUdldIntfAdminMode.setStatus('current') agent_udld_intf_aggressive_mode = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 28, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentUdldIntfAggressiveMode.setStatus('current') agent_system_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3)) agent_save_config = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSaveConfig.setStatus('current') agent_clear_config = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearConfig.setStatus('current') agent_clear_lags = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearLags.setStatus('current') agent_clear_login_sessions = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearLoginSessions.setStatus('current') agent_clear_passwords = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearPasswords.setStatus('current') agent_clear_port_stats = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearPortStats.setStatus('current') agent_clear_switch_stats = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearSwitchStats.setStatus('current') agent_clear_buffered_log = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearBufferedLog.setStatus('current') agent_clear_trap_log = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearTrapLog.setStatus('current') agent_clear_vlan = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentClearVlan.setStatus('current') agent_reset_system = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentResetSystem.setStatus('current') agent_config_current_system_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 14), display_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentConfigCurrentSystemTime.setStatus('current') agent_cpu_load = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 15), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentCpuLoad.setStatus('current') agent_cpu_load_one_min = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 16), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentCpuLoadOneMin.setStatus('current') agent_cpu_load_five_min = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 17), integer32().subtype(subtypeSpec=value_range_constraint(0, 2147483647))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentCpuLoadFiveMin.setStatus('current') agent_startup_config_erase = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 3, 18), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1))).clone(namedValues=named_values(('erase', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentStartupConfigErase.setStatus('obsolete') agent_dai_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21)) agent_dai_src_mac_validate = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiSrcMacValidate.setStatus('current') agent_dai_dst_mac_validate = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiDstMacValidate.setStatus('current') agent_dai_ip_validate = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 3), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiIPValidate.setStatus('current') agent_dai_vlan_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4)) if mibBuilder.loadTexts: agentDaiVlanConfigTable.setStatus('current') agent_dai_vlan_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDaiVlanIndex')) if mibBuilder.loadTexts: agentDaiVlanConfigEntry.setStatus('current') agent_dai_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 1), vlan_index()) if mibBuilder.loadTexts: agentDaiVlanIndex.setStatus('current') agent_dai_vlan_dyn_arp_insp_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiVlanDynArpInspEnable.setStatus('current') agent_dai_vlan_logging_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 3), truth_value().clone('true')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiVlanLoggingEnable.setStatus('current') agent_dai_vlan_arp_acl_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiVlanArpAclName.setStatus('current') agent_dai_vlan_arp_acl_static_flag = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 4, 1, 5), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiVlanArpAclStaticFlag.setStatus('current') agent_dai_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiStatsReset.setStatus('current') agent_dai_vlan_stats_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6)) if mibBuilder.loadTexts: agentDaiVlanStatsTable.setStatus('current') agent_dai_vlan_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDaiVlanStatsIndex')) if mibBuilder.loadTexts: agentDaiVlanStatsEntry.setStatus('current') agent_dai_vlan_stats_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 1), vlan_index()) if mibBuilder.loadTexts: agentDaiVlanStatsIndex.setStatus('current') agent_dai_vlan_pkts_forwarded = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanPktsForwarded.setStatus('current') agent_dai_vlan_pkts_dropped = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanPktsDropped.setStatus('current') agent_dai_vlan_dhcp_drops = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanDhcpDrops.setStatus('current') agent_dai_vlan_dhcp_permits = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanDhcpPermits.setStatus('current') agent_dai_vlan_acl_drops = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanAclDrops.setStatus('current') agent_dai_vlan_acl_permits = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanAclPermits.setStatus('current') agent_dai_vlan_src_mac_failures = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanSrcMacFailures.setStatus('current') agent_dai_vlan_dst_mac_failures = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 9), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanDstMacFailures.setStatus('current') agent_dai_vlan_ip_valid_failures = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 6, 1, 10), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDaiVlanIpValidFailures.setStatus('current') agent_dai_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7)) if mibBuilder.loadTexts: agentDaiIfConfigTable.setStatus('current') agent_dai_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentDaiIfConfigEntry.setStatus('current') agent_dai_if_trust_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiIfTrustEnable.setStatus('current') agent_dai_if_rate_limit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 2), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 300))).clone(15)).setUnits('packets per second').setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiIfRateLimit.setStatus('current') agent_dai_if_burst_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 21, 7, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 15)).clone(1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDaiIfBurstInterval.setStatus('current') agent_arp_acl_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22)) agent_arp_acl_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1)) if mibBuilder.loadTexts: agentArpAclTable.setStatus('current') agent_arp_acl_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentArpAclName')) if mibBuilder.loadTexts: agentArpAclEntry.setStatus('current') agent_arp_acl_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1, 1), display_string().subtype(subtypeSpec=value_size_constraint(1, 31))).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentArpAclName.setStatus('current') agent_arp_acl_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 1, 1, 2), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentArpAclRowStatus.setStatus('current') agent_arp_acl_rule_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2)) if mibBuilder.loadTexts: agentArpAclRuleTable.setStatus('current') agent_arp_acl_rule_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentArpAclName'), (0, 'SWITCHING-MIB', 'agentArpAclRuleMatchSenderIpAddr'), (0, 'SWITCHING-MIB', 'agentArpAclRuleMatchSenderMacAddr')) if mibBuilder.loadTexts: agentArpAclRuleEntry.setStatus('current') agent_arp_acl_rule_match_sender_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 1), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentArpAclRuleMatchSenderIpAddr.setStatus('current') agent_arp_acl_rule_match_sender_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 2), mac_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentArpAclRuleMatchSenderMacAddr.setStatus('current') agent_arp_acl_rule_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 22, 2, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentArpAclRuleRowStatus.setStatus('current') agent_dhcp_snooping_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23)) agent_dhcp_snooping_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingAdminMode.setStatus('current') agent_dhcp_snooping_verify_mac = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingVerifyMac.setStatus('current') agent_dhcp_snooping_vlan_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3)) if mibBuilder.loadTexts: agentDhcpSnoopingVlanConfigTable.setStatus('current') agent_dhcp_snooping_vlan_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDhcpSnoopingVlanIndex')) if mibBuilder.loadTexts: agentDhcpSnoopingVlanConfigEntry.setStatus('current') agent_dhcp_snooping_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1, 1), vlan_index()) if mibBuilder.loadTexts: agentDhcpSnoopingVlanIndex.setStatus('current') agent_dhcp_snooping_vlan_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 3, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingVlanEnable.setStatus('current') agent_dhcp_snooping_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4)) if mibBuilder.loadTexts: agentDhcpSnoopingIfConfigTable.setStatus('current') agent_dhcp_snooping_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentDhcpSnoopingIfConfigEntry.setStatus('current') agent_dhcp_snooping_if_trust_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingIfTrustEnable.setStatus('current') agent_dhcp_snooping_if_log_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingIfLogEnable.setStatus('current') agent_dhcp_snooping_if_rate_limit = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(0, 300))).clone(-1)).setUnits('packets per second').setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingIfRateLimit.setStatus('current') agent_dhcp_snooping_if_burst_interval = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 4, 1, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(-1, -1), value_range_constraint(1, 15))).clone(-1)).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingIfBurstInterval.setStatus('current') agent_ipsg_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5)) if mibBuilder.loadTexts: agentIpsgIfConfigTable.setStatus('current') agent_ipsg_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentIpsgIfConfigEntry.setStatus('current') agent_ipsg_if_verify_source = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIpsgIfVerifySource.setStatus('current') agent_ipsg_if_port_security = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 5, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIpsgIfPortSecurity.setStatus('current') agent_dhcp_snooping_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingStatsReset.setStatus('current') agent_dhcp_snooping_stats_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7)) if mibBuilder.loadTexts: agentDhcpSnoopingStatsTable.setStatus('current') agent_dhcp_snooping_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentDhcpSnoopingStatsEntry.setStatus('current') agent_dhcp_snooping_mac_verify_failures = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpSnoopingMacVerifyFailures.setStatus('current') agent_dhcp_snooping_invalid_client_messages = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpSnoopingInvalidClientMessages.setStatus('current') agent_dhcp_snooping_invalid_server_messages = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 7, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpSnoopingInvalidServerMessages.setStatus('current') agent_static_ipsg_binding_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8)) if mibBuilder.loadTexts: agentStaticIpsgBindingTable.setStatus('current') agent_static_ipsg_binding = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentStaticIpsgBindingIfIndex'), (0, 'SWITCHING-MIB', 'agentStaticIpsgBindingVlanId'), (0, 'SWITCHING-MIB', 'agentStaticIpsgBindingMacAddr'), (0, 'SWITCHING-MIB', 'agentStaticIpsgBindingIpAddr')) if mibBuilder.loadTexts: agentStaticIpsgBinding.setStatus('current') agent_static_ipsg_binding_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 1), interface_index()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticIpsgBindingIfIndex.setStatus('current') agent_static_ipsg_binding_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 2), vlan_index()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticIpsgBindingVlanId.setStatus('current') agent_static_ipsg_binding_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 3), mac_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticIpsgBindingMacAddr.setStatus('current') agent_static_ipsg_binding_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 4), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticIpsgBindingIpAddr.setStatus('current') agent_static_ipsg_binding_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 8, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticIpsgBindingRowStatus.setStatus('current') agent_dynamic_ipsg_binding_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9)) if mibBuilder.loadTexts: agentDynamicIpsgBindingTable.setStatus('current') agent_dynamic_ipsg_binding = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDynamicIpsgBindingIfIndex'), (0, 'SWITCHING-MIB', 'agentDynamicIpsgBindingVlanId'), (0, 'SWITCHING-MIB', 'agentDynamicIpsgBindingMacAddr'), (0, 'SWITCHING-MIB', 'agentDynamicIpsgBindingIpAddr')) if mibBuilder.loadTexts: agentDynamicIpsgBinding.setStatus('current') agent_dynamic_ipsg_binding_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 1), interface_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicIpsgBindingIfIndex.setStatus('current') agent_dynamic_ipsg_binding_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 2), vlan_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicIpsgBindingVlanId.setStatus('current') agent_dynamic_ipsg_binding_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 3), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicIpsgBindingMacAddr.setStatus('current') agent_dynamic_ipsg_binding_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 9, 1, 4), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicIpsgBindingIpAddr.setStatus('current') agent_static_ds_binding_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10)) if mibBuilder.loadTexts: agentStaticDsBindingTable.setStatus('current') agent_static_ds_binding = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentStaticDsBindingMacAddr')) if mibBuilder.loadTexts: agentStaticDsBinding.setStatus('current') agent_static_ds_binding_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 1), interface_index()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticDsBindingIfIndex.setStatus('current') agent_static_ds_binding_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 2), vlan_id()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticDsBindingVlanId.setStatus('current') agent_static_ds_binding_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 3), mac_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticDsBindingMacAddr.setStatus('current') agent_static_ds_binding_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 4), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticDsBindingIpAddr.setStatus('current') agent_static_ds_binding_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 10, 1, 5), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentStaticDsBindingRowStatus.setStatus('current') agent_dynamic_ds_binding_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11)) if mibBuilder.loadTexts: agentDynamicDsBindingTable.setStatus('current') agent_dynamic_ds_binding = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDynamicDsBindingMacAddr')) if mibBuilder.loadTexts: agentDynamicDsBinding.setStatus('current') agent_dynamic_ds_binding_if_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 1), interface_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicDsBindingIfIndex.setStatus('current') agent_dynamic_ds_binding_vlan_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 2), vlan_index()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicDsBindingVlanId.setStatus('current') agent_dynamic_ds_binding_mac_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 3), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicDsBindingMacAddr.setStatus('current') agent_dynamic_ds_binding_ip_addr = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 4), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicDsBindingIpAddr.setStatus('current') agent_dynamic_ds_binding_lease_remaining_time = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 11, 1, 5), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDynamicDsBindingLeaseRemainingTime.setStatus('current') agent_dhcp_snooping_remote_file_name = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 12), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingRemoteFileName.setStatus('current') agent_dhcp_snooping_remote_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 13), ip_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingRemoteIpAddr.setStatus('current') agent_dhcp_snooping_store_interval = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 14), unsigned32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingStoreInterval.setStatus('current') agent_dhcp_snooping_store_timeout = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 23, 15), unsigned32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpSnoopingStoreTimeout.setStatus('current') agent_dns_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18)) agent_dns_config_domain_lookup_status = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigDomainLookupStatus.setStatus('current') agent_dns_config_default_domain_name = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 64))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigDefaultDomainName.setStatus('current') agent_dns_config_default_domain_name_remove = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigDefaultDomainNameRemove.setStatus('current') agent_dns_config_domain_name_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4)) if mibBuilder.loadTexts: agentDNSConfigDomainNameListTable.setStatus('current') agent_dns_config_domain_name_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDNSConfigDomainNameListIndex')) if mibBuilder.loadTexts: agentDNSConfigDomainNameListEntry.setStatus('current') agent_dns_config_domain_name_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigDomainNameListIndex.setStatus('current') agent_dns_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 2), display_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDNSDomainName.setStatus('current') agent_dns_domain_name_remove = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 4, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSDomainNameRemove.setStatus('current') agent_dns_config_name_server_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5)) if mibBuilder.loadTexts: agentDNSConfigNameServerListTable.setStatus('current') agent_dns_config_name_server_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDNSConfigNameServerListIndex')) if mibBuilder.loadTexts: agentDNSConfigNameServerListEntry.setStatus('current') agent_dns_config_name_server_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigNameServerListIndex.setStatus('current') agent_dns_config_name_server = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 2), ip_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDNSConfigNameServer.setStatus('current') agent_dns_config_request = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigRequest.setStatus('current') agent_dns_config_response = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigResponse.setStatus('current') agent_dns_config_name_server_remove = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 5, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigNameServerRemove.setStatus('current') agent_i_pv6_dns_config_name_server_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13)) if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListTable.setStatus('current') agent_i_pv6_dns_config_name_server_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentIPv6DNSConfigNameServerListIndex')) if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListEntry.setStatus('current') agent_i_pv6_dns_config_name_server_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerListIndex.setStatus('current') agent_i_pv6_dns_config_name_server = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 2), ipv6_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentIPv6DNSConfigNameServer.setStatus('current') agent_i_pv6_dns_config_request = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigRequest.setStatus('current') agent_i_pv6_dns_config_response = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigResponse.setStatus('current') agent_i_pv6_dns_config_name_server_remove = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 13, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIPv6DNSConfigNameServerRemove.setStatus('current') agent_dns_config_cache_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6)) if mibBuilder.loadTexts: agentDNSConfigCacheTable.setStatus('current') agent_dns_config_cache_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDNSConfigCacheIndex')) if mibBuilder.loadTexts: agentDNSConfigCacheEntry.setStatus('current') agent_dns_config_cache_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigCacheIndex.setStatus('current') agent_dns_config_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigDomainName.setStatus('current') agent_dns_config_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 3), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigIpAddress.setStatus('current') agent_dns_config_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigTTL.setStatus('current') agent_dns_config_flag = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 6, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigFlag.setStatus('current') agent_i_pv6_dns_config_cache_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14)) if mibBuilder.loadTexts: agentIPv6DNSConfigCacheTable.setStatus('current') agent_i_pv6_dns_config_cache_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentIPv6DNSConfigCacheIndex')) if mibBuilder.loadTexts: agentIPv6DNSConfigCacheEntry.setStatus('current') agent_i_pv6_dns_config_cache_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigCacheIndex.setStatus('current') agent_i_pv6_dns_config_domain_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigDomainName.setStatus('current') agent_i_pv6_dns_config_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 3), ipv6_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigIpAddress.setStatus('current') agent_i_pv6_dns_config_ttl = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 4), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigTTL.setStatus('current') agent_i_pv6_dns_config_flag = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 14, 1, 5), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigFlag.setStatus('current') agent_dns_config_host_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7)) if mibBuilder.loadTexts: agentDNSConfigHostTable.setStatus('current') agent_dns_config_host_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDNSConfigHostIndex')) if mibBuilder.loadTexts: agentDNSConfigHostEntry.setStatus('current') agent_dns_config_host_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDNSConfigHostIndex.setStatus('current') agent_dns_config_host_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 2), display_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDNSConfigHostName.setStatus('current') agent_dns_config_host_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 3), inet_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentDNSConfigHostIpAddress.setStatus('current') agent_dns_config_host_name_remove = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 7, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigHostNameRemove.setStatus('current') agent_i_pv6_dns_config_host_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15)) if mibBuilder.loadTexts: agentIPv6DNSConfigHostTable.setStatus('current') agent_dns_config_source_interface = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 16), interface_index_or_zero()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigSourceInterface.setStatus('current') agent_i_pv6_dns_config_host_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentIPv6DNSConfigHostIndex')) if mibBuilder.loadTexts: agentIPv6DNSConfigHostEntry.setStatus('current') agent_i_pv6_dns_config_host_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6DNSConfigHostIndex.setStatus('obsolete') agent_i_pv6_dns_config_host_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 2), display_string()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentIPv6DNSConfigHostName.setStatus('obsolete') agent_i_pv6_dns_config_host_ip_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 3), ipv6_address()).setMaxAccess('readcreate') if mibBuilder.loadTexts: agentIPv6DNSConfigHostIpAddress.setStatus('obsolete') agent_i_pv6_dns_config_host_name_remove = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 15, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentIPv6DNSConfigHostNameRemove.setStatus('obsolete') agent_dns_config_clear_domain_name_list = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigClearDomainNameList.setStatus('current') agent_dns_config_clear_cache = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigClearCache.setStatus('current') agent_dns_config_clear_hosts = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 10), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigClearHosts.setStatus('current') agent_dns_config_clear_dns = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 11), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigClearDNS.setStatus('current') agent_dns_config_clear_dns_counters = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 18, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2))).clone(namedValues=named_values(('enable', 1), ('disable', 2))).clone('disable')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDNSConfigClearDNSCounters.setStatus('current') agent_dhcp_l2_relay_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24)) agent_dhcp_l2_relay_admin_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayAdminMode.setStatus('current') agent_dhcp_l2_relay_if_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2)) if mibBuilder.loadTexts: agentDhcpL2RelayIfConfigTable.setStatus('current') agent_dhcp_l2_relay_if_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentDhcpL2RelayIfConfigEntry.setStatus('current') agent_dhcp_l2_relay_if_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayIfEnable.setStatus('current') agent_dhcp_l2_relay_if_trust_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 2, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayIfTrustEnable.setStatus('current') agent_dhcp_l2_relay_vlan_config_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3)) if mibBuilder.loadTexts: agentDhcpL2RelayVlanConfigTable.setStatus('current') agent_dhcp_l2_relay_vlan_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentDhcpL2RelayVlanIndex')) if mibBuilder.loadTexts: agentDhcpL2RelayVlanConfigEntry.setStatus('current') agent_dhcp_l2_relay_vlan_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 1), vlan_index()) if mibBuilder.loadTexts: agentDhcpL2RelayVlanIndex.setStatus('current') agent_dhcp_l2_relay_vlan_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 2), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayVlanEnable.setStatus('current') agent_dhcp_l2_relay_circuit_id_vlan_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 3), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayCircuitIdVlanEnable.setStatus('current') agent_dhcp_l2_relay_remote_id_vlan_enable = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 3, 1, 4), display_string().subtype(subtypeSpec=value_size_constraint(1, 32))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayRemoteIdVlanEnable.setStatus('current') agent_dhcp_l2_relay_stats_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpL2RelayStatsReset.setStatus('current') agent_dhcp_l2_relay_stats_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7)) if mibBuilder.loadTexts: agentDhcpL2RelayStatsTable.setStatus('current') agent_dhcp_l2_relay_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1)).setIndexNames((0, 'IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: agentDhcpL2RelayStatsEntry.setStatus('current') agent_dhcp_l2_relay_untrusted_srvr_msgs_with_optn82 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82.setStatus('current') agent_dhcp_l2_relay_untrusted_clnt_msgs_with_optn82 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpL2RelayUntrustedClntMsgsWithOptn82.setStatus('current') agent_dhcp_l2_relay_trusted_srvr_msgs_without_optn82 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82.setStatus('current') agent_dhcp_l2_relay_trusted_clnt_msgs_without_optn82 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 24, 7, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentDhcpL2RelayTrustedClntMsgsWithoutOptn82.setStatus('current') agent_switch_voice_vlan_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25)) agent_switch_voice_vlan_device_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2)) if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceTable.setStatus('current') agent_switch_voice_vlan_device_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSwitchVoiceVlanInterfaceNum'), (0, 'SWITCHING-MIB', 'agentSwitchVoiceVlanDeviceMacAddress')) if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceEntry.setStatus('current') agent_switch_voice_vlan_interface_num = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchVoiceVlanInterfaceNum.setStatus('current') agent_switch_voice_vlan_device_mac_address = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 25, 2, 1, 2), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchVoiceVlanDeviceMacAddress.setStatus('current') agent_switch_address_conflict_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26)) agent_switch_address_conflict_detection_status = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('false', 0), ('true', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionStatus.setStatus('current') agent_switch_address_conflict_detection_status_reset = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('reset', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionStatusReset.setStatus('current') agent_switch_last_conflicting_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 3), ip_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchLastConflictingIPAddr.setStatus('current') agent_switch_last_conflicting_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 4), mac_address()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchLastConflictingMacAddr.setStatus('current') agent_switch_last_conflict_reported_time = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 5), time_ticks()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSwitchLastConflictReportedTime.setStatus('current') agent_switch_conflict_ip_addr = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 6), ip_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: agentSwitchConflictIPAddr.setStatus('current') agent_switch_conflict_mac_addr = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 7), mac_address()).setMaxAccess('accessiblefornotify') if mibBuilder.loadTexts: agentSwitchConflictMacAddr.setStatus('current') agent_switch_address_conflict_detection_run = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 26, 8), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('none', 0), ('run', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSwitchAddressConflictDetectionRun.setStatus('current') switching_traps = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50)) multiple_users_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 1)) if mibBuilder.loadTexts: multipleUsersTrap.setStatus('current') broadcast_storm_start_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 2)) if mibBuilder.loadTexts: broadcastStormStartTrap.setStatus('obsolete') broadcast_storm_end_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 3)) if mibBuilder.loadTexts: broadcastStormEndTrap.setStatus('obsolete') link_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 4)) if mibBuilder.loadTexts: linkFailureTrap.setStatus('obsolete') vlan_request_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 5)).setObjects(('Q-BRIDGE-MIB', 'dot1qVlanIndex')) if mibBuilder.loadTexts: vlanRequestFailureTrap.setStatus('obsolete') vlan_delete_last_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 6)).setObjects(('Q-BRIDGE-MIB', 'dot1qVlanIndex')) if mibBuilder.loadTexts: vlanDeleteLastTrap.setStatus('current') vlan_default_cfg_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 7)).setObjects(('Q-BRIDGE-MIB', 'dot1qVlanIndex')) if mibBuilder.loadTexts: vlanDefaultCfgFailureTrap.setStatus('current') vlan_restore_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 8)).setObjects(('Q-BRIDGE-MIB', 'dot1qVlanIndex')) if mibBuilder.loadTexts: vlanRestoreFailureTrap.setStatus('obsolete') fan_failure_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 9)) if mibBuilder.loadTexts: fanFailureTrap.setStatus('obsolete') stp_instance_new_root_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 10)).setObjects(('SWITCHING-MIB', 'agentStpMstId')) if mibBuilder.loadTexts: stpInstanceNewRootTrap.setStatus('current') stp_instance_topology_change_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 11)).setObjects(('SWITCHING-MIB', 'agentStpMstId')) if mibBuilder.loadTexts: stpInstanceTopologyChangeTrap.setStatus('current') power_supply_status_change_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 12)) if mibBuilder.loadTexts: powerSupplyStatusChangeTrap.setStatus('obsolete') failed_user_login_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 13)) if mibBuilder.loadTexts: failedUserLoginTrap.setStatus('current') temperature_too_high_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 14)) if mibBuilder.loadTexts: temperatureTooHighTrap.setStatus('current') storm_control_detected_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 15)) if mibBuilder.loadTexts: stormControlDetectedTrap.setStatus('current') storm_control_stop_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 16)) if mibBuilder.loadTexts: stormControlStopTrap.setStatus('current') user_lockout_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 17)) if mibBuilder.loadTexts: userLockoutTrap.setStatus('current') dai_intf_error_disabled_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 18)).setObjects(('IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: daiIntfErrorDisabledTrap.setStatus('current') stp_instance_loop_inconsistent_start_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 19)).setObjects(('SWITCHING-MIB', 'agentStpMstId'), ('IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: stpInstanceLoopInconsistentStartTrap.setStatus('current') stp_instance_loop_inconsistent_end_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 20)).setObjects(('SWITCHING-MIB', 'agentStpMstId'), ('IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: stpInstanceLoopInconsistentEndTrap.setStatus('current') dhcp_snooping_intf_error_disabled_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 21)).setObjects(('IF-MIB', 'ifIndex')) if mibBuilder.loadTexts: dhcpSnoopingIntfErrorDisabledTrap.setStatus('current') no_startup_config_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 22)) if mibBuilder.loadTexts: noStartupConfigTrap.setStatus('current') agent_switch_ip_address_conflict_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 23)).setObjects(('SWITCHING-MIB', 'agentSwitchConflictIPAddr'), ('SWITCHING-MIB', 'agentSwitchConflictMacAddr')) if mibBuilder.loadTexts: agentSwitchIpAddressConflictTrap.setStatus('current') agent_switch_cpu_rising_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 24)).setObjects(('SWITCHING-MIB', 'agentSwitchCpuProcessRisingThreshold'), ('SWITCHING-MIB', 'agentSwitchCpuProcessName')) if mibBuilder.loadTexts: agentSwitchCpuRisingThresholdTrap.setStatus('current') agent_switch_cpu_falling_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 25)).setObjects(('SWITCHING-MIB', 'agentSwitchCpuProcessFallingThreshold')) if mibBuilder.loadTexts: agentSwitchCpuFallingThresholdTrap.setStatus('current') agent_switch_cpu_free_mem_below_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 26)).setObjects(('SWITCHING-MIB', 'agentSwitchCpuProcessFreeMemoryThreshold')) if mibBuilder.loadTexts: agentSwitchCpuFreeMemBelowThresholdTrap.setStatus('current') agent_switch_cpu_free_mem_above_threshold_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 27)).setObjects(('SWITCHING-MIB', 'agentSwitchCpuProcessFreeMemoryThreshold')) if mibBuilder.loadTexts: agentSwitchCpuFreeMemAboveThresholdTrap.setStatus('current') config_changed_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 28)) if mibBuilder.loadTexts: configChangedTrap.setStatus('current') agent_switch_cpu_mem_invalid_trap = notification_type((1, 3, 6, 1, 4, 1, 7244, 2, 1, 50, 29)) if mibBuilder.loadTexts: agentSwitchCpuMemInvalidTrap.setStatus('current') agent_sdm_prefer_config_entry = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27)) agent_sdm_prefer_current_template = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dualIPv4andIPv6', 1), ('ipv4RoutingDefault', 2), ('ipv4DataCenter', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentSdmPreferCurrentTemplate.setStatus('current') agent_sdm_prefer_next_template = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 27, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('default', 0), ('dualIPv4andIPv6', 1), ('ipv4RoutingDefault', 2), ('ipv4DataCenter', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentSdmPreferNextTemplate.setStatus('current') agent_sdm_template_summary_table = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28)) agent_sdm_template_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1)) if mibBuilder.loadTexts: agentSdmTemplateTable.setStatus('current') agent_sdm_template_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentSdmTemplateId')) if mibBuilder.loadTexts: agentSdmTemplateEntry.setStatus('current') agent_sdm_template_id = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('dualIPv4andIPv6', 1), ('ipv4RoutingDefault', 2), ('ipv4DataCenter', 3)))) if mibBuilder.loadTexts: agentSdmTemplateId.setStatus('current') agent_arp_entries = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 2), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentArpEntries.setStatus('current') agent_i_pv4_unicast_routes = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 3), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv4UnicastRoutes.setStatus('current') agent_i_pv6_ndp_entries = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 4), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6NdpEntries.setStatus('current') agent_i_pv6_unicast_routes = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 5), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6UnicastRoutes.setStatus('current') agent_ecmp_next_hops = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 6), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentEcmpNextHops.setStatus('current') agent_i_pv4_multicast_routes = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 7), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv4MulticastRoutes.setStatus('current') agent_i_pv6_multicast_routes = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 8, 28, 1, 1, 8), integer32()).setMaxAccess('readonly') if mibBuilder.loadTexts: agentIPv6MulticastRoutes.setStatus('current') agent_dhcp_client_options_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21)) agent_vendor_class_option_config_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1)) agent_dhcp_client_vendor_class_id_mode = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1, 1), truth_value().clone('false')).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpClientVendorClassIdMode.setStatus('current') agent_dhcp_client_vendor_class_id_string = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 21, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(0, 128))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentDhcpClientVendorClassIdString.setStatus('current') agent_exec_accounting_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29)) agent_exec_accounting_list_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 1), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 15)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentExecAccountingListCreate.setStatus('current') agent_exec_accounting_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2)) if mibBuilder.loadTexts: agentExecAccountingListTable.setStatus('current') agent_exec_accounting_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentExecAccountingListIndex')) if mibBuilder.loadTexts: agentExecAccountingListEntry.setStatus('current') agent_exec_accounting_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentExecAccountingListIndex.setStatus('current') agent_exec_accounting_list_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentExecAccountingListName.setStatus('current') agent_exec_accounting_method_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('undefined', 0), ('start-stop', 1), ('stop-only', 2), ('none', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentExecAccountingMethodType.setStatus('current') agent_exec_accounting_list_method1 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('undefined', 0), ('tacacs', 1), ('radius', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentExecAccountingListMethod1.setStatus('current') agent_exec_accounting_list_method2 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('undefined', 0), ('tacacs', 1), ('radius', 2)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentExecAccountingListMethod2.setStatus('current') agent_exec_accounting_list_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 29, 2, 1, 6), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentExecAccountingListStatus.setStatus('current') agent_cmds_accounting_group = mib_identifier((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30)) agent_cmds_accounting_list_create = mib_scalar((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 1), display_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(1, 15)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentCmdsAccountingListCreate.setStatus('current') agent_cmds_accounting_list_table = mib_table((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2)) if mibBuilder.loadTexts: agentCmdsAccountingListTable.setStatus('current') agent_cmds_accounting_list_entry = mib_table_row((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1)).setIndexNames((0, 'SWITCHING-MIB', 'agentCmdsAccountingListIndex')) if mibBuilder.loadTexts: agentCmdsAccountingListEntry.setStatus('current') agent_cmds_accounting_list_index = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 1), unsigned32()) if mibBuilder.loadTexts: agentCmdsAccountingListIndex.setStatus('current') agent_cmds_accounting_list_name = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 2), display_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: agentCmdsAccountingListName.setStatus('current') agent_cmds_accounting_method_type = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('undefined', 0), ('start-stop', 1), ('stop-only', 2), ('none', 3)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentCmdsAccountingMethodType.setStatus('current') agent_cmds_accounting_list_method1 = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('undefined', 0), ('tacacs', 1)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentCmdsAccountingListMethod1.setStatus('current') agent_cmds_accounting_list_status = mib_table_column((1, 3, 6, 1, 4, 1, 7244, 2, 1, 2, 30, 2, 1, 5), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: agentCmdsAccountingListStatus.setStatus('current') mibBuilder.exportSymbols('SWITCHING-MIB', agentDNSConfigClearDNS=agentDNSConfigClearDNS, agentPasswordManagementStrengthMaxConsecutiveCharacters=agentPasswordManagementStrengthMaxConsecutiveCharacters, agentSwitchVlanMacAssociationVlanId=agentSwitchVlanMacAssociationVlanId, agentTransferUploadPassword=agentTransferUploadPassword, stormControlDetectedTrap=stormControlDetectedTrap, agentSerialHWFlowControlMode=agentSerialHWFlowControlMode, agentNetworkBurnedInMacAddress=agentNetworkBurnedInMacAddress, agentDaiStatsReset=agentDaiStatsReset, agentDaiVlanConfigEntry=agentDaiVlanConfigEntry, agentArpAclTable=agentArpAclTable, agentUserIndex=agentUserIndex, agentStpCstPortTable=agentStpCstPortTable, agentDynamicIpsgBindingTable=agentDynamicIpsgBindingTable, agentStaticDsBindingMacAddr=agentStaticDsBindingMacAddr, agentSwitchVoiceVlanDeviceMacAddress=agentSwitchVoiceVlanDeviceMacAddress, agentPortAutoNegAdminStatus=agentPortAutoNegAdminStatus, agentSwitchCpuProcessTotalUtilization=agentSwitchCpuProcessTotalUtilization, agentIpsgIfVerifySource=agentIpsgIfVerifySource, agentNextActiveImage=agentNextActiveImage, agentNetworkDhcp6RELEASEMessagesSent=agentNetworkDhcp6RELEASEMessagesSent, agentAuthenticationListAccessType=agentAuthenticationListAccessType, agentDhcpL2RelayIfConfigEntry=agentDhcpL2RelayIfConfigEntry, agentDaiVlanPktsDropped=agentDaiVlanPktsDropped, agentStaticIpsgBinding=agentStaticIpsgBinding, agentSnmpACLTrapFlag=agentSnmpACLTrapFlag, agentSwitchVoiceVLANGroup=agentSwitchVoiceVLANGroup, agentSwitchSnoopingIntfAdminMode=agentSwitchSnoopingIntfAdminMode, agentSnmpUserUsername=agentSnmpUserUsername, agentProtocolGroupPortIfIndex=agentProtocolGroupPortIfIndex, agentDNSConfigDomainNameListTable=agentDNSConfigDomainNameListTable, agentServicePortSubnetMask=agentServicePortSubnetMask, agentSwitchSnoopingVlanGroupMembershipInterval=agentSwitchSnoopingVlanGroupMembershipInterval, agentPortStatsRateHCBitsPerSecondRx=agentPortStatsRateHCBitsPerSecondRx, agentStpPortHelloTime=agentStpPortHelloTime, agentPortBroadcastControlThresholdUnit=agentPortBroadcastControlThresholdUnit, agentDaiConfigGroup=agentDaiConfigGroup, agentSwitchCpuFallingThresholdTrap=agentSwitchCpuFallingThresholdTrap, agentCmdsAccountingMethodType=agentCmdsAccountingMethodType, agentStpMstPortForwardingState=agentStpMstPortForwardingState, agentSwitchSnoopingQuerierVlanAdminMode=agentSwitchSnoopingQuerierVlanAdminMode, agentStpPortStatsStpBpduRx=agentStpPortStatsStpBpduRx, agentLagSummaryDeletePort=agentLagSummaryDeletePort, agentUdldIntfAggressiveMode=agentUdldIntfAggressiveMode, agentIPv4UnicastRoutes=agentIPv4UnicastRoutes, agentPasswordManagementAging=agentPasswordManagementAging, agentPortStatsRateHCPacketsPerSecondTx=agentPortStatsRateHCPacketsPerSecondTx, agentLoginSessionUserName=agentLoginSessionUserName, agentStpConfigDigestKey=agentStpConfigDigestKey, agentTransferUploadDataType=agentTransferUploadDataType, agentStpCstMaxAge=agentStpCstMaxAge, agentStpCstPortId=agentStpCstPortId, agentSnmpCommunityConfigEntry=agentSnmpCommunityConfigEntry, agentSnmpInformAdminMode=agentSnmpInformAdminMode, agentPasswordMgmtStrengthExcludeKeyword=agentPasswordMgmtStrengthExcludeKeyword, agentNetworkConfigIpDhcpRenew=agentNetworkConfigIpDhcpRenew, agentUserConfigCreate=agentUserConfigCreate, agentStpMstPortTransitionsIntoLoopInconsistentState=agentStpMstPortTransitionsIntoLoopInconsistentState, agentServicePortProtocolDhcpRenew=agentServicePortProtocolDhcpRenew, agentProtocolConfigGroup=agentProtocolConfigGroup, agentSwitchSnoopingPortMask=agentSwitchSnoopingPortMask, agentDaiVlanDhcpPermits=agentDaiVlanDhcpPermits, agentSnmpInformTimeout=agentSnmpInformTimeout, agentDaiVlanAclDrops=agentDaiVlanAclDrops, agentAutoinstallUnicastRetryCount=agentAutoinstallUnicastRetryCount, agentUserAuthenticationDot1xList=agentUserAuthenticationDot1xList, agentDhcpSnoopingIfTrustEnable=agentDhcpSnoopingIfTrustEnable, agentSwitchVlanSubnetAssociationIPAddress=agentSwitchVlanSubnetAssociationIPAddress, agentStpCstExtPortPathCost=agentStpCstExtPortPathCost, agentUserPassword=agentUserPassword, agentNetworkDhcp6StatsReset=agentNetworkDhcp6StatsReset, agentDNSConfigResponse=agentDNSConfigResponse, agentDNSConfigDefaultDomainNameRemove=agentDNSConfigDefaultDomainNameRemove, agentSwitchStaticMacFilteringVlanId=agentSwitchStaticMacFilteringVlanId, agentTransferUploadStatus=agentTransferUploadStatus, agentSwitchSnoopingQuerierCfgEntry=agentSwitchSnoopingQuerierCfgEntry, agentPortMirrorDestinationPort=agentPortMirrorDestinationPort, agentInventorySysDescription=agentInventorySysDescription, agentPortMirrorTypeType=agentPortMirrorTypeType, agentServicePortDefaultGateway=agentServicePortDefaultGateway, agentNetworkJavaMode=agentNetworkJavaMode, agentStpPortTable=agentStpPortTable, agentDNSConfigHostEntry=agentDNSConfigHostEntry, agentSwitchCpuMemInvalidTrap=agentSwitchCpuMemInvalidTrap, agentPasswordMgmtLastPasswordSetResult=agentPasswordMgmtLastPasswordSetResult, agentSwitchPortDVlanTagTable=agentSwitchPortDVlanTagTable, agentPortMaxFrameSizeLimit=agentPortMaxFrameSizeLimit, agentDDnsPassword=agentDDnsPassword, agentProtocolGroupProtocolARP=agentProtocolGroupProtocolARP, agentSwitchSnoopingProtocol=agentSwitchSnoopingProtocol, agentCpuLoadFiveMin=agentCpuLoadFiveMin, agentStpCstBridgeHoldTime=agentStpCstBridgeHoldTime, agentTransferDownloadPassword=agentTransferDownloadPassword, agentDhcpClientOptionsConfigGroup=agentDhcpClientOptionsConfigGroup, agentUserLockoutStatus=agentUserLockoutStatus, agentPortMaxFrameSize=agentPortMaxFrameSize, agentNetworkDhcp6REBINDMessagesSent=agentNetworkDhcp6REBINDMessagesSent, agentArpAclRowStatus=agentArpAclRowStatus, agentServicePortIpv6AddrStatus=agentServicePortIpv6AddrStatus, agentInventorySerialNumber=agentInventorySerialNumber, agentStpPortMigrationCheck=agentStpPortMigrationCheck, agentInventoryBurnedInMacAddress=agentInventoryBurnedInMacAddress, agentLoginSessionConnectionType=agentLoginSessionConnectionType, agentNetworkDhcp6REQUESTMessagesSent=agentNetworkDhcp6REQUESTMessagesSent, agentDot3adAggPortTable=agentDot3adAggPortTable, agentClearVlan=agentClearVlan, agentSwitchCpuProcessRisingThresholdInterval=agentSwitchCpuProcessRisingThresholdInterval, agentInventoryNetworkProcessingDevice=agentInventoryNetworkProcessingDevice, agentIPv6DNSConfigHostTable=agentIPv6DNSConfigHostTable, agentSnmpTrapReceiverSecurityLevel=agentSnmpTrapReceiverSecurityLevel, agentTransferDownloadUsername=agentTransferDownloadUsername, agentIASUserConfigTable=agentIASUserConfigTable, agentDNSConfigHostTable=agentDNSConfigHostTable, agentDhcpL2RelayCircuitIdVlanEnable=agentDhcpL2RelayCircuitIdVlanEnable, agentDaiIPValidate=agentDaiIPValidate, agentAuthenticationListTable=agentAuthenticationListTable, agentSwitchSnoopingQuerierVlanTable=agentSwitchSnoopingQuerierVlanTable, agentPasswordManagementStrengthExcludeKeywordTable=agentPasswordManagementStrengthExcludeKeywordTable, agentProtocolGroupProtocolID=agentProtocolGroupProtocolID, agentSnmpCommunityIPAddress=agentSnmpCommunityIPAddress, agentSwitchSnoopingQuerierAdminMode=agentSwitchSnoopingQuerierAdminMode, agentServicePortDhcp6ClientDuid=agentServicePortDhcp6ClientDuid, agentIpsgIfConfigEntry=agentIpsgIfConfigEntry, agentDNSConfigClearDomainNameList=agentDNSConfigClearDomainNameList, agentSwitchVlanSubnetAssociationEntry=agentSwitchVlanSubnetAssociationEntry, agentDaiVlanStatsTable=agentDaiVlanStatsTable, agentLagSummaryAddPort=agentLagSummaryAddPort, agentUserName=agentUserName, agentPortMirrorTypeSourcePort=agentPortMirrorTypeSourcePort, agentSwitchAddressConflictDetectionRun=agentSwitchAddressConflictDetectionRun, agentSnmpTrapReceiverVersion=agentSnmpTrapReceiverVersion, agentSwitchCpuProcessIndex=agentSwitchCpuProcessIndex, agentExecAccountingListMethod1=agentExecAccountingListMethod1, agentSdmPreferCurrentTemplate=agentSdmPreferCurrentTemplate, agentExecAccountingListTable=agentExecAccountingListTable, agentDhcpSnoopingIfRateLimit=agentDhcpSnoopingIfRateLimit, agentStpCstRegionalRootId=agentStpCstRegionalRootId, agentUserPortConfigTable=agentUserPortConfigTable, agentLoginSessionInetAddressType=agentLoginSessionInetAddressType, agentSnmpInformIpAddress=agentSnmpInformIpAddress, agentDNSConfigFlag=agentDNSConfigFlag, agentNetworkConfigProtocol=agentNetworkConfigProtocol, agentSwitchIfDVlanTagMode=agentSwitchIfDVlanTagMode, agentInfoGroup=agentInfoGroup, agentPortDefaultType=agentPortDefaultType, agentStpSwitchConfigGroup=agentStpSwitchConfigGroup, agentSupportedMibIndex=agentSupportedMibIndex, agentStpBpduGuardMode=agentStpBpduGuardMode, agentDDnsServName=agentDDnsServName, agentPortUnicastControlThresholdUnit=agentPortUnicastControlThresholdUnit, agentAutoinstallStatus=agentAutoinstallStatus, agentProtocolGroupCreate=agentProtocolGroupCreate, agentActiveImage=agentActiveImage, agentSwitchSnoopingAdminMode=agentSwitchSnoopingAdminMode, agentUdldMessageTime=agentUdldMessageTime, agentNetworkIpv6AddrEntry=agentNetworkIpv6AddrEntry, agentPortMulticastControlThresholdUnit=agentPortMulticastControlThresholdUnit, agentClearLoginSessions=agentClearLoginSessions, agentPortMirrorTypeEntry=agentPortMirrorTypeEntry, agentSwitchSnoopingQuerierAddress=agentSwitchSnoopingQuerierAddress, agentConfigCurrentSystemTime=agentConfigCurrentSystemTime, agentSwitchIfDVlanTagIfIndex=agentSwitchIfDVlanTagIfIndex, agentClearConfig=agentClearConfig, agentTransferConfigGroup=agentTransferConfigGroup, agentTransferUploadMode=agentTransferUploadMode, agentStaticDsBindingTable=agentStaticDsBindingTable, agentIASUserName=agentIASUserName, agentDhcpL2RelayVlanEnable=agentDhcpL2RelayVlanEnable, linkFailureTrap=linkFailureTrap, agentDhcpL2RelayIfConfigTable=agentDhcpL2RelayIfConfigTable, agentSwitchLastConflictingMacAddr=agentSwitchLastConflictingMacAddr, agentLagSummaryType=agentLagSummaryType, agentSwitchCpuRisingThresholdTrap=agentSwitchCpuRisingThresholdTrap, agentDNSConfigClearHosts=agentDNSConfigClearHosts, agentSwitchAddressConflictGroup=agentSwitchAddressConflictGroup, agentSwitchSnoopingVlanAdminMode=agentSwitchSnoopingVlanAdminMode, agentPortVoiceVlanOperationalStatus=agentPortVoiceVlanOperationalStatus, agentNetworkIpv6Gateway=agentNetworkIpv6Gateway, agentSwitchSnoopingQuerierCfgTable=agentSwitchSnoopingQuerierCfgTable, agentStpCstDesignatedBridgeId=agentStpCstDesignatedBridgeId, agentSwitchConflictIPAddr=agentSwitchConflictIPAddr, agentServicePortDhcp6REQUESTMessagesSent=agentServicePortDhcp6REQUESTMessagesSent, agentTelnetLoginTimeout=agentTelnetLoginTimeout, agentStpMstBridgePriority=agentStpMstBridgePriority, agentAuthenticationListMethod5=agentAuthenticationListMethod5, agentSnmpInformConfigEntry=agentSnmpInformConfigEntry, agentIPv6DNSConfigCacheEntry=agentIPv6DNSConfigCacheEntry, agentStpCstBridgeHoldCount=agentStpCstBridgeHoldCount, agentStpMstTable=agentStpMstTable, agentAuthenticationListMethod2=agentAuthenticationListMethod2, agentStpPortStatsStpBpduTx=agentStpPortStatsStpBpduTx, agentSwitchVoiceVlanDeviceTable=agentSwitchVoiceVlanDeviceTable, agentStpCstPortBpduFlood=agentStpCstPortBpduFlood, agentSwitchPortDVlanTagCustomerId=agentSwitchPortDVlanTagCustomerId, agentStpCstRegionalRootPathCost=agentStpCstRegionalRootPathCost, agentNetworkIpv6AddrEuiFlag=agentNetworkIpv6AddrEuiFlag, agentSnmpLinkUpDownTrapFlag=agentSnmpLinkUpDownTrapFlag, agentDDnsConfigTable=agentDDnsConfigTable, userLockoutTrap=userLockoutTrap, multipleUsersTrap=multipleUsersTrap, agentStaticDsBinding=agentStaticDsBinding, agentCmdsAccountingListTable=agentCmdsAccountingListTable, agentDNSConfigNameServerListTable=agentDNSConfigNameServerListTable, agentLagDetailedPortSpeed=agentLagDetailedPortSpeed, agentTrapLogTrap=agentTrapLogTrap, agentPortMirrorSourcePortMask=agentPortMirrorSourcePortMask, agentUserAccessMode=agentUserAccessMode, agentDNSConfigClearCache=agentDNSConfigClearCache, agentUserConfigDefaultAuthenticationDot1xList=agentUserConfigDefaultAuthenticationDot1xList, agentCpuLoad=agentCpuLoad, agentSwitchMFDBSummaryTable=agentSwitchMFDBSummaryTable, agentStpCstPortTCNGuard=agentStpCstPortTCNGuard, agentStaticIpsgBindingRowStatus=agentStaticIpsgBindingRowStatus, agentDhcpL2RelayStatsEntry=agentDhcpL2RelayStatsEntry, agentNetworkDefaultGateway=agentNetworkDefaultGateway, agentLoginSessionEntry=agentLoginSessionEntry, agentServicePortDhcp6REPLYMessagesDiscarded=agentServicePortDhcp6REPLYMessagesDiscarded, agentStpMstDesignatedPortId=agentStpMstDesignatedPortId, agentSwitchPortDVlanTagTPid=agentSwitchPortDVlanTagTPid, vlanRestoreFailureTrap=vlanRestoreFailureTrap, agentSnmpUserIndex=agentSnmpUserIndex, agentPortDot1dBasePort=agentPortDot1dBasePort, agentLagSummaryAdminMode=agentLagSummaryAdminMode, agentDhcpSnoopingVlanIndex=agentDhcpSnoopingVlanIndex, agentAutoInstallConfigGroup=agentAutoInstallConfigGroup, agentSwitchVlanSubnetAssociationSubnetMask=agentSwitchVlanSubnetAssociationSubnetMask, agentStpCstBridgeMaxAge=agentStpCstBridgeMaxAge, agentTransferDownloadStatus=agentTransferDownloadStatus, agentStpCstBridgePriority=agentStpCstBridgePriority, agentResetSystem=agentResetSystem, agentSnmpInformSecurityLevel=agentSnmpInformSecurityLevel, agentDaiIfTrustEnable=agentDaiIfTrustEnable, agentExecAccountingListMethod2=agentExecAccountingListMethod2, agentTransferUploadStart=agentTransferUploadStart, agentIPv6DNSConfigNameServer=agentIPv6DNSConfigNameServer, agentPortType=agentPortType, agentServicePortBurnedInMacAddress=agentServicePortBurnedInMacAddress, agentSwitchPortDVlanTagMode=agentSwitchPortDVlanTagMode, agentDNSConfigDefaultDomainName=agentDNSConfigDefaultDomainName, agentDynamicDsBindingTable=agentDynamicDsBindingTable, agentSwitchCpuProcessMemFree=agentSwitchCpuProcessMemFree, agentInventoryPartNumber=agentInventoryPartNumber, agentDNSConfigSourceInterface=agentDNSConfigSourceInterface, agentArpAclRuleTable=agentArpAclRuleTable, agentTransferUploadUsername=agentTransferUploadUsername, agentDNSConfigCacheTable=agentDNSConfigCacheTable, agentSwitchPortDVlanTagEntry=agentSwitchPortDVlanTagEntry, agentLagSummaryLinkTrap=agentLagSummaryLinkTrap, agentPasswordManagementStrengthMinUpperCase=agentPasswordManagementStrengthMinUpperCase, VlanList=VlanList, agentSnmpCommunityIPMask=agentSnmpCommunityIPMask, agentNetworkMgmtVlan=agentNetworkMgmtVlan, agentSdmPreferConfigEntry=agentSdmPreferConfigEntry, agentDNSConfigTTL=agentDNSConfigTTL, agentDaiIfRateLimit=agentDaiIfRateLimit) mibBuilder.exportSymbols('SWITCHING-MIB', agentSnmpTrapReceiverStatus=agentSnmpTrapReceiverStatus, agentSwitchMFDBType=agentSwitchMFDBType, agentSwitchDVlanTagEntry=agentSwitchDVlanTagEntry, agentUdldIntfAdminMode=agentUdldIntfAdminMode, agentExecAccountingListCreate=agentExecAccountingListCreate, agentClearSwitchStats=agentClearSwitchStats, agentIASUserConfigGroup=agentIASUserConfigGroup, agentStpCstPortPriority=agentStpCstPortPriority, agentIPv6DNSConfigDomainName=agentIPv6DNSConfigDomainName, agentAuthenticationListAccessLevel=agentAuthenticationListAccessLevel, agentCLIConfigGroup=agentCLIConfigGroup, agentDNSConfigDomainName=agentDNSConfigDomainName, stpInstanceLoopInconsistentEndTrap=stpInstanceLoopInconsistentEndTrap, agentSupportedMibName=agentSupportedMibName, agentSwitchVlanStaticMrouterTable=agentSwitchVlanStaticMrouterTable, agentDynamicDsBindingMacAddr=agentDynamicDsBindingMacAddr, agentPasswordManagementStrengthMinSpecialCharacters=agentPasswordManagementStrengthMinSpecialCharacters, agentSwitchDVlanTagPrimaryTPid=agentSwitchDVlanTagPrimaryTPid, agentInventoryMaintenanceLevel=agentInventoryMaintenanceLevel, agentDynamicIpsgBindingIfIndex=agentDynamicIpsgBindingIfIndex, agentDhcpSnoopingIfLogEnable=agentDhcpSnoopingIfLogEnable, agentUserConfigEntry=agentUserConfigEntry, agentStpMstTopologyChangeCount=agentStpMstTopologyChangeCount, agentSwitchLastConflictingIPAddr=agentSwitchLastConflictingIPAddr, agentSdmTemplateTable=agentSdmTemplateTable, agentStpMstDesignatedRootId=agentStpMstDesignatedRootId, agentServicePortIpv6AdminMode=agentServicePortIpv6AdminMode, agentSwitchProtectedPortEntry=agentSwitchProtectedPortEntry, agentSwitchMFDBGroup=agentSwitchMFDBGroup, agentDynamicIpsgBinding=agentDynamicIpsgBinding, agentSwitchSnoopingQuerierOperVersion=agentSwitchSnoopingQuerierOperVersion, agentDNSConfigNameServerListIndex=agentDNSConfigNameServerListIndex, agentPasswordManagementStrengthMinCharacterClasses=agentPasswordManagementStrengthMinCharacterClasses, agentDhcpSnoopingAdminMode=agentDhcpSnoopingAdminMode, agentStaticIpsgBindingIfIndex=agentStaticIpsgBindingIfIndex, agentNetworkIpv6AdminMode=agentNetworkIpv6AdminMode, agentSnmpUserAuthentication=agentSnmpUserAuthentication, agentAuthenticationListMethod4=agentAuthenticationListMethod4, agentDNSConfigDomainNameListEntry=agentDNSConfigDomainNameListEntry, agentDhcpL2RelayVlanIndex=agentDhcpL2RelayVlanIndex, agentSwitchSnoopingQuerierLastQuerierAddress=agentSwitchSnoopingQuerierLastQuerierAddress, agentPasswordManagementStrengthExcludeKeywordEntry=agentPasswordManagementStrengthExcludeKeywordEntry, agentDhcpL2RelayTrustedClntMsgsWithoutOptn82=agentDhcpL2RelayTrustedClntMsgsWithoutOptn82, agentSnmpInformConfigGroup=agentSnmpInformConfigGroup, agentDaiSrcMacValidate=agentDaiSrcMacValidate, agentLagSummaryFlushTimer=agentLagSummaryFlushTimer, agentLagConfigGroup=agentLagConfigGroup, agentImage1=agentImage1, agentSwitchSnoopingQuerierExpiryInterval=agentSwitchSnoopingQuerierExpiryInterval, agentStpCstPortBpduFilter=agentStpCstPortBpduFilter, agentDaiIfBurstInterval=agentDaiIfBurstInterval, agentNetworkWebMode=agentNetworkWebMode, agentDaiVlanStatsEntry=agentDaiVlanStatsEntry, agentUserAuthenticationType=agentUserAuthenticationType, agentIPv6DNSConfigResponse=agentIPv6DNSConfigResponse, agentLoginSessionStatus=agentLoginSessionStatus, agentPasswordManagementMinLength=agentPasswordManagementMinLength, agentSwitchSnoopingVlanEntry=agentSwitchSnoopingVlanEntry, agentSwitchVlanMacAssociationPriority=agentSwitchVlanMacAssociationPriority, agentArpAclName=agentArpAclName, agentNetworkDhcp6SOLICITMessagesSent=agentNetworkDhcp6SOLICITMessagesSent, agentTelnetAllowNewMode=agentTelnetAllowNewMode, agentProtocolGroupEntry=agentProtocolGroupEntry, agentDhcpL2RelayStatsTable=agentDhcpL2RelayStatsTable, agentSwitchSnoopingQuerierGroup=agentSwitchSnoopingQuerierGroup, agentStpCstRootFwdDelay=agentStpCstRootFwdDelay, agentStpPortEntry=agentStpPortEntry, agentSnmpMultipleUsersTrapFlag=agentSnmpMultipleUsersTrapFlag, agentProtocolGroupId=agentProtocolGroupId, agentClassOfServicePortTable=agentClassOfServicePortTable, agentTransferUploadStartupConfigFromSwitchSrcFilename=agentTransferUploadStartupConfigFromSwitchSrcFilename, broadcastStormEndTrap=broadcastStormEndTrap, agentSwitchMFDBSummaryVlanId=agentSwitchMFDBSummaryVlanId, agentNetworkLocalAdminMacAddress=agentNetworkLocalAdminMacAddress, agentPortLoadStatsInterval=agentPortLoadStatsInterval, agentDaiVlanAclPermits=agentDaiVlanAclPermits, agentCmdsAccountingListStatus=agentCmdsAccountingListStatus, agentAutoinstallPersistentMode=agentAutoinstallPersistentMode, agentDhcpSnoopingVlanEnable=agentDhcpSnoopingVlanEnable, agentLDAPConfigGroup=agentLDAPConfigGroup, agentDhcpClientVendorClassIdMode=agentDhcpClientVendorClassIdMode, agentLoginSessionIndex=agentLoginSessionIndex, agentLagSummaryLagIndex=agentLagSummaryLagIndex, agentUserEncryptionType=agentUserEncryptionType, agentPortSTPState=agentPortSTPState, agentIPv6DNSConfigCacheTable=agentIPv6DNSConfigCacheTable, agentPortVoiceVlanID=agentPortVoiceVlanID, agentTrapLogEntry=agentTrapLogEntry, agentSwitchIfDVlanTagEntry=agentSwitchIfDVlanTagEntry, agentServicePortIpv6AddrEuiFlag=agentServicePortIpv6AddrEuiFlag, agentDot3adAggPort=agentDot3adAggPort, agentSwitchConfigGroup=agentSwitchConfigGroup, agentLagDetailedIfIndex=agentLagDetailedIfIndex, agentNetworkDhcp6RENEWMessagesSent=agentNetworkDhcp6RENEWMessagesSent, agentUserPortSecurity=agentUserPortSecurity, agentIPv6DNSConfigNameServerListEntry=agentIPv6DNSConfigNameServerListEntry, agentDaiVlanConfigTable=agentDaiVlanConfigTable, agentDhcpSnoopingIfConfigEntry=agentDhcpSnoopingIfConfigEntry, agentDhcpSnoopingMacVerifyFailures=agentDhcpSnoopingMacVerifyFailures, agentStaticDsBindingIpAddr=agentStaticDsBindingIpAddr, agentTransferUploadGroup=agentTransferUploadGroup, agentSwitchCpuProcessFallingThresholdInterval=agentSwitchCpuProcessFallingThresholdInterval, agentSwitchDVlanTagTable=agentSwitchDVlanTagTable, agentStpCstBridgeMaxHops=agentStpCstBridgeMaxHops, agentInventoryHardwareVersion=agentInventoryHardwareVersion, agentExecAccountingListStatus=agentExecAccountingListStatus, agentTrapLogTotal=agentTrapLogTotal, agentHTTPConfigGroup=agentHTTPConfigGroup, agentSwitchMFDBDescription=agentSwitchMFDBDescription, switchingTraps=switchingTraps, agentSwitchAddressConflictDetectionStatus=agentSwitchAddressConflictDetectionStatus, agentLagSummaryHash=agentLagSummaryHash, agentTransferDownloadMode=agentTransferDownloadMode, agentSwitchMFDBFilteringPortMask=agentSwitchMFDBFilteringPortMask, agentSerialGroup=agentSerialGroup, agentServicePortDhcp6REBINDMessagesSent=agentServicePortDhcp6REBINDMessagesSent, agentLagSummaryName=agentLagSummaryName, agentUserConfigDefaultAuthenticationList=agentUserConfigDefaultAuthenticationList, agentUserAuthenticationList=agentUserAuthenticationList, agentAutoinstallAutoRebootMode=agentAutoinstallAutoRebootMode, agentPortConfigEntry=agentPortConfigEntry, agentPortStatsRateGroup=agentPortStatsRateGroup, agentNetworkDhcp6ClientDuid=agentNetworkDhcp6ClientDuid, agentPortMirrorSessionNum=agentPortMirrorSessionNum, agentIASUserIndex=agentIASUserIndex, agentProtocolGroupPortStatus=agentProtocolGroupPortStatus, agentSwitchSnoopingIntfGroupMembershipInterval=agentSwitchSnoopingIntfGroupMembershipInterval, agentSwitchCpuProcessFallingThreshold=agentSwitchCpuProcessFallingThreshold, agentSnmpInformVersion=agentSnmpInformVersion, agentAuthenticationListCreate=agentAuthenticationListCreate, agentDot3adAggPortEntry=agentDot3adAggPortEntry, agentAuthenticationEnableListCreate=agentAuthenticationEnableListCreate, agentPortMirrorEntry=agentPortMirrorEntry, agentPortAdminMode=agentPortAdminMode, agentSwitchProtectedPortTable=agentSwitchProtectedPortTable, agentStpMstEntry=agentStpMstEntry, agentStpConfigFormatSelector=agentStpConfigFormatSelector, agentUserPrivilegeLevel=agentUserPrivilegeLevel, agentSnmpTrapReceiverCommunityName=agentSnmpTrapReceiverCommunityName, agentTrapLogIndex=agentTrapLogIndex, agentStpPortBPDUGuard=agentStpPortBPDUGuard, agentSwitchVlanSubnetAssociationRowStatus=agentSwitchVlanSubnetAssociationRowStatus, agentDNSConfigDomainNameListIndex=agentDNSConfigDomainNameListIndex, agentDhcpL2RelayVlanConfigEntry=agentDhcpL2RelayVlanConfigEntry, agentTrapLogSystemTime=agentTrapLogSystemTime, agentTransferDownloadOPCodeToSwitchDestFilename=agentTransferDownloadOPCodeToSwitchDestFilename, agentIPv6DNSConfigHostNameRemove=agentIPv6DNSConfigHostNameRemove, agentStaticDsBindingVlanId=agentStaticDsBindingVlanId, agentCmdsAccountingListEntry=agentCmdsAccountingListEntry, agentStpPortUpTime=agentStpPortUpTime, agentInventoryFRUNumber=agentInventoryFRUNumber, agentDNSDomainNameRemove=agentDNSDomainNameRemove, agentAutoinstallAutosaveMode=agentAutoinstallAutosaveMode, agentSnmpInformStatus=agentSnmpInformStatus, agentLDAPServerIP=agentLDAPServerIP, agentIPv4MulticastRoutes=agentIPv4MulticastRoutes, agentSnmpTrapReceiverPort=agentSnmpTrapReceiverPort, agentStpMstDesignatedBridgeId=agentStpMstDesignatedBridgeId, agentDNSConfigDomainLookupStatus=agentDNSConfigDomainLookupStatus, agentDNSConfigCacheEntry=agentDNSConfigCacheEntry, agentSwitchCpuProcessRisingThreshold=agentSwitchCpuProcessRisingThreshold, agentStpCstBridgeHelloTime=agentStpCstBridgeHelloTime, agentArpAclRuleRowStatus=agentArpAclRuleRowStatus, agentServicePortDhcp6ADVERTISEMessagesDiscarded=agentServicePortDhcp6ADVERTISEMessagesDiscarded, agentNetworkStatsGroup=agentNetworkStatsGroup, agentLagDetailedConfigTable=agentLagDetailedConfigTable, agentIPv6DNSConfigNameServerListTable=agentIPv6DNSConfigNameServerListTable, agentStpCstPortAutoEdge=agentStpCstPortAutoEdge, agentSpanningTreeMode=agentSpanningTreeMode, agentDaiDstMacValidate=agentDaiDstMacValidate, agentSwitchLastConflictReportedTime=agentSwitchLastConflictReportedTime, agentAuthenticationListEntry=agentAuthenticationListEntry, agentDNSConfigHostIndex=agentDNSConfigHostIndex, agentSnmpEngineIdString=agentSnmpEngineIdString, agentLagSummaryConfigEntry=agentLagSummaryConfigEntry, agentDhcpL2RelayAdminMode=agentDhcpL2RelayAdminMode, agentDynamicIpsgBindingVlanId=agentDynamicIpsgBindingVlanId, agentAuthenticationListMethod3=agentAuthenticationListMethod3, agentPasswordManagementLockAttempts=agentPasswordManagementLockAttempts, agentSnmpInformName=agentSnmpInformName, agentSwitchVlanMacAssociationRowStatus=agentSwitchVlanMacAssociationRowStatus, agentIASUserPassword=agentIASUserPassword, agentExecAccountingListEntry=agentExecAccountingListEntry, agentSwitchSnoopingCfgTable=agentSwitchSnoopingCfgTable, agentDhcpSnoopingRemoteFileName=agentDhcpSnoopingRemoteFileName, agentDaiVlanArpAclName=agentDaiVlanArpAclName, agentPortSTPMode=agentPortSTPMode, agentIPv6DNSConfigCacheIndex=agentIPv6DNSConfigCacheIndex, agentSwitchCpuProcessMemAvailable=agentSwitchCpuProcessMemAvailable, agentStaticDsBindingIfIndex=agentStaticDsBindingIfIndex, agentClearTrapLog=agentClearTrapLog, agentProtocolGroupStatus=agentProtocolGroupStatus, agentSwitchDVlanTagGroup=agentSwitchDVlanTagGroup, agentDaiVlanPktsForwarded=agentDaiVlanPktsForwarded, agentLagConfigGroupHashOption=agentLagConfigGroupHashOption, agentCmdsAccountingGroup=agentCmdsAccountingGroup, agentPortStatsRateHCBitsPerSecondTx=agentPortStatsRateHCBitsPerSecondTx, agentClassOfServiceGroup=agentClassOfServiceGroup, agentDhcpSnoopingInvalidServerMessages=agentDhcpSnoopingInvalidServerMessages, agentDaiIfConfigEntry=agentDaiIfConfigEntry, agentStpMstRowStatus=agentStpMstRowStatus, agentPortIanaType=agentPortIanaType, agentDynamicDsBindingIfIndex=agentDynamicDsBindingIfIndex, agentPortDot3FlowControlOperStatus=agentPortDot3FlowControlOperStatus, agentStaticIpsgBindingTable=agentStaticIpsgBindingTable, agentDNSDomainName=agentDNSDomainName, agentSwitchSnoopingQuerierVlanAddress=agentSwitchSnoopingQuerierVlanAddress, agentIASUserConfigEntry=agentIASUserConfigEntry, agentTransferDownloadStart=agentTransferDownloadStart, agentSwitchSnoopingIntfTable=agentSwitchSnoopingIntfTable, agentSnmpTransceiverTrapFlag=agentSnmpTransceiverTrapFlag, agentHTTPMaxSessions=agentHTTPMaxSessions, agentImageConfigGroup=agentImageConfigGroup, agentCpuLoadOneMin=agentCpuLoadOneMin, agentCmdsAccountingListMethod1=agentCmdsAccountingListMethod1, agentSnmpCommunityIndex=agentSnmpCommunityIndex, agentSnmpAuthenticationTrapFlag=agentSnmpAuthenticationTrapFlag, agentTelnetConfigGroup=agentTelnetConfigGroup, agentDDnsHost=agentDDnsHost, agentNetworkIPAddress=agentNetworkIPAddress, agentDhcpSnoopingRemoteIpAddr=agentDhcpSnoopingRemoteIpAddr, agentNetworkConfigIpv6DhcpRenew=agentNetworkConfigIpv6DhcpRenew, agentDynamicDsBindingVlanId=agentDynamicDsBindingVlanId, agentDNSConfigIpAddress=agentDNSConfigIpAddress, agentSnmpUserStatus=agentSnmpUserStatus, agentSdmTemplateEntry=agentSdmTemplateEntry, agentDhcpL2RelayConfigGroup=agentDhcpL2RelayConfigGroup, agentSwitchMFDBSummaryEntry=agentSwitchMFDBSummaryEntry, agentInventoryMachineModel=agentInventoryMachineModel, agentDhcpSnoopingStatsTable=agentDhcpSnoopingStatsTable, agentSwitchMFDBForwardingPortMask=agentSwitchMFDBForwardingPortMask, agentTransferDownloadFilename=agentTransferDownloadFilename, agentPasswordManagementStrengthMaxRepeatedCharacters=agentPasswordManagementStrengthMaxRepeatedCharacters, agentTransferDownloadGroup=agentTransferDownloadGroup, agentSnmpUserEncryptionPassword=agentSnmpUserEncryptionPassword, agentIPv6UnicastRoutes=agentIPv6UnicastRoutes, agentStpCstPortLoopGuard=agentStpCstPortLoopGuard, agentSwitchSnoopingVlanTable=agentSwitchSnoopingVlanTable, agentStpAdminMode=agentStpAdminMode, agentClassOfServicePortEntry=agentClassOfServicePortEntry, agentCmdsAccountingListCreate=agentCmdsAccountingListCreate, agentStpBpduFilterDefault=agentStpBpduFilterDefault, agentDhcpSnoopingStoreInterval=agentDhcpSnoopingStoreInterval, agentSwitchStaticMacFilteringSourcePortMask=agentSwitchStaticMacFilteringSourcePortMask, agentNetworkDhcp6REPLYMessagesDiscarded=agentNetworkDhcp6REPLYMessagesDiscarded, agentServicePortDhcp6SOLICITMessagesSent=agentServicePortDhcp6SOLICITMessagesSent, agentDDnsConfigEntry=agentDDnsConfigEntry, agentStpMstBridgeIdentifier=agentStpMstBridgeIdentifier, agentSwitchProtectedPortConfigGroup=agentSwitchProtectedPortConfigGroup, agentSnmpEngineIdIpAddress=agentSnmpEngineIdIpAddress, agentSdmTemplateSummaryTable=agentSdmTemplateSummaryTable, agentSnmpEngineIdStatus=agentSnmpEngineIdStatus, agentSupportedMibTable=agentSupportedMibTable, agentServicePortDhcp6ADVERTISEMessagesReceived=agentServicePortDhcp6ADVERTISEMessagesReceived) mibBuilder.exportSymbols('SWITCHING-MIB', agentSwitchSnoopingGroup=agentSwitchSnoopingGroup, agentStpCstPortTopologyChangeAck=agentStpCstPortTopologyChangeAck, agentAutoinstallOperationalMode=agentAutoinstallOperationalMode, agentSwitchDVlanTagTPid=agentSwitchDVlanTagTPid, agentServicePortIpv6ConfigProtocol=agentServicePortIpv6ConfigProtocol, agentPasswordManagementStrengthMinLowerCase=agentPasswordManagementStrengthMinLowerCase, agentStpCstPortForwardingState=agentStpCstPortForwardingState, agentPasswordManagementHistory=agentPasswordManagementHistory, agentStpMstPortId=agentStpMstPortId, agentSwitchStaticMacFilteringDestPortMask=agentSwitchStaticMacFilteringDestPortMask, agentStpMstTimeSinceTopologyChange=agentStpMstTimeSinceTopologyChange, agentClearPortStats=agentClearPortStats, agentDNSConfigHostIpAddress=agentDNSConfigHostIpAddress, agentCmdsAccountingListIndex=agentCmdsAccountingListIndex, agentDDnsIndex=agentDDnsIndex, agentDhcpL2RelayStatsReset=agentDhcpL2RelayStatsReset, agentLagSummaryConfigTable=agentLagSummaryConfigTable, agentIASUserConfigCreate=agentIASUserConfigCreate, agentSwitchSnoopingIntfFastLeaveAdminMode=agentSwitchSnoopingIntfFastLeaveAdminMode, agentPortMirroringGroup=agentPortMirroringGroup, agentStpMstVlanRowStatus=agentStpMstVlanRowStatus, agentStpCstPortEntry=agentStpCstPortEntry, agentClearLags=agentClearLags, agentDNSConfigCacheIndex=agentDNSConfigCacheIndex, agentSwitchVlanSubnetAssociationVlanId=agentSwitchVlanSubnetAssociationVlanId, agentSwitchVlanMacAssociationEntry=agentSwitchVlanMacAssociationEntry, agentIPv6DNSConfigHostEntry=agentIPv6DNSConfigHostEntry, agentLDAPBaseDn=agentLDAPBaseDn, agentSwitchCpuProcessPercentageUtilization=agentSwitchCpuProcessPercentageUtilization, agentSnmpTrapReceiverIPAddress=agentSnmpTrapReceiverIPAddress, agentSnmpInformConfigTableCreate=agentSnmpInformConfigTableCreate, agentAuthenticationListMethod1=agentAuthenticationListMethod1, agentDaiVlanDynArpInspEnable=agentDaiVlanDynArpInspEnable, agentIPv6DNSConfigNameServerRemove=agentIPv6DNSConfigNameServerRemove, agentIPv6NdpEntries=agentIPv6NdpEntries, agentHTTPHardTimeout=agentHTTPHardTimeout, agentTransferUploadPath=agentTransferUploadPath, agentIpsgIfPortSecurity=agentIpsgIfPortSecurity, agentDhcpL2RelayUntrustedClntMsgsWithOptn82=agentDhcpL2RelayUntrustedClntMsgsWithOptn82, agentStpUplinkFast=agentStpUplinkFast, agentInventoryGroup=agentInventoryGroup, agentPortVoiceVlanNoneMode=agentPortVoiceVlanNoneMode, agentStpMstTopologyChangeParm=agentStpMstTopologyChangeParm, agentUserAuthenticationConfigEntry=agentUserAuthenticationConfigEntry, agentDNSConfigNameServer=agentDNSConfigNameServer, agentSdmPreferNextTemplate=agentSdmPreferNextTemplate, agentNetworkIpv6AddrPrefixLength=agentNetworkIpv6AddrPrefixLength, agentTrapLogTable=agentTrapLogTable, agentSwitchAddressAgingTimeout=agentSwitchAddressAgingTimeout, agentStpMstRootPathCost=agentStpMstRootPathCost, agentDaiVlanSrcMacFailures=agentDaiVlanSrcMacFailures, agentNetworkSubnetMask=agentNetworkSubnetMask, agentSwitchVlanMacAssociationMacAddress=agentSwitchVlanMacAssociationMacAddress, agentTransferUploadFilename=agentTransferUploadFilename, agentClearPasswords=agentClearPasswords, agentSwitchSnoopingVlanMaxResponseTime=agentSwitchSnoopingVlanMaxResponseTime, agentSwitchMFDBMaxTableEntries=agentSwitchMFDBMaxTableEntries, broadcastStormStartTrap=broadcastStormStartTrap, temperatureTooHighTrap=temperatureTooHighTrap, agentSerialTerminalLength=agentSerialTerminalLength, agentClassOfServicePortPriority=agentClassOfServicePortPriority, dhcpSnoopingIntfErrorDisabledTrap=dhcpSnoopingIntfErrorDisabledTrap, agentSerialCharacterSize=agentSerialCharacterSize, agentStpConfigName=agentStpConfigName, stpInstanceTopologyChangeTrap=stpInstanceTopologyChangeTrap, agentNetworkIpv6AddrPrefix=agentNetworkIpv6AddrPrefix, agentNetworkIpv6ConfigProtocol=agentNetworkIpv6ConfigProtocol, agentServicePortDhcp6RELEASEMessagesSent=agentServicePortDhcp6RELEASEMessagesSent, agentTransferDownloadStartupConfigToSwitchDestFilename=agentTransferDownloadStartupConfigToSwitchDestFilename, agentSwitchSnoopingQuerierQueryInterval=agentSwitchSnoopingQuerierQueryInterval, agentSupportedMibDescription=agentSupportedMibDescription, agentPortStatsRateHCPacketsPerSecondRx=agentPortStatsRateHCPacketsPerSecondRx, agentDhcpSnoopingConfigGroup=agentDhcpSnoopingConfigGroup, agentSnmpUserConfigTable=agentSnmpUserConfigTable, agentDynamicDsBindingLeaseRemainingTime=agentDynamicDsBindingLeaseRemainingTime, agentDhcpSnoopingStoreTimeout=agentDhcpSnoopingStoreTimeout, agentSwitchCpuProcessEntry=agentSwitchCpuProcessEntry, agentAuthenticationGroup=agentAuthenticationGroup, agentDNSConfigRequest=agentDNSConfigRequest, agentUserStatus=agentUserStatus, agentSnmpTrapFlagsConfigGroup=agentSnmpTrapFlagsConfigGroup, agentSwitchMFDBVlanId=agentSwitchMFDBVlanId, agentStpCstConfigGroup=agentStpCstConfigGroup, agentSwitchVoiceVlanDeviceEntry=agentSwitchVoiceVlanDeviceEntry, agentSwitchVlanSubnetAssociationGroup=agentSwitchVlanSubnetAssociationGroup, agentStpConfigRevision=agentStpConfigRevision, agentStartupConfigErase=agentStartupConfigErase, agentSwitchSnoopingIntfGroup=agentSwitchSnoopingIntfGroup, agentSwitchPortDVlanTagRowStatus=agentSwitchPortDVlanTagRowStatus, agentStpMstPortTransitionsOutOfLoopInconsistentState=agentStpMstPortTransitionsOutOfLoopInconsistentState, agentLDAPRacName=agentLDAPRacName, agentSnmpTrapReceiverConfigTable=agentSnmpTrapReceiverConfigTable, agentPortMirrorTypeTable=agentPortMirrorTypeTable, vlanDefaultCfgFailureTrap=vlanDefaultCfgFailureTrap, agentIPv6MulticastRoutes=agentIPv6MulticastRoutes, agentTrapLogGroup=agentTrapLogGroup, agentSwitchVlanStaticMrouterGroup=agentSwitchVlanStaticMrouterGroup, agentDynamicIpsgBindingIpAddr=agentDynamicIpsgBindingIpAddr, agentUserPasswordExpireTime=agentUserPasswordExpireTime, agentSwitchMFDBMacAddress=agentSwitchMFDBMacAddress, agentPortLinkTrapMode=agentPortLinkTrapMode, daiIntfErrorDisabledTrap=daiIntfErrorDisabledTrap, agentSwitchMFDBMostEntriesUsed=agentSwitchMFDBMostEntriesUsed, agentDhcpL2RelayVlanConfigTable=agentDhcpL2RelayVlanConfigTable, agentUserAuthenticationConfigTable=agentUserAuthenticationConfigTable, agentHTTPSoftTimeout=agentHTTPSoftTimeout, agentStaticIpsgBindingIpAddr=agentStaticIpsgBindingIpAddr, agentNetworkMacAddressType=agentNetworkMacAddressType, agentSwitchSnoopingVlanGroup=agentSwitchSnoopingVlanGroup, agentSnmpEngineIdConfigEntry=agentSnmpEngineIdConfigEntry, agentProtocolGroupProtocolStatus=agentProtocolGroupProtocolStatus, agentDNSConfigGroup=agentDNSConfigGroup, agentNetworkDhcp6ADVERTISEMessagesDiscarded=agentNetworkDhcp6ADVERTISEMessagesDiscarded, agentSwitchSnoopingQuerierLastQuerierVersion=agentSwitchSnoopingQuerierLastQuerierVersion, agentArpEntries=agentArpEntries, agentProtocolGroupProtocolIP=agentProtocolGroupProtocolIP, agentStpPortState=agentStpPortState, agentStaticIpsgBindingMacAddr=agentStaticIpsgBindingMacAddr, agentStpCstPortPathCost=agentStpCstPortPathCost, agentDaiIfConfigTable=agentDaiIfConfigTable, agentStpCstHelloTime=agentStpCstHelloTime, vlanRequestFailureTrap=vlanRequestFailureTrap, agentProtocolGroupVlanId=agentProtocolGroupVlanId, agentDynamicDsBindingIpAddr=agentDynamicDsBindingIpAddr, agentSwitchCpuProcessGroup=agentSwitchCpuProcessGroup, agentDhcpSnoopingVlanConfigEntry=agentDhcpSnoopingVlanConfigEntry, agentSwitchDVlanTagEthertype=agentSwitchDVlanTagEthertype, agentSwitchCpuProcessTable=agentSwitchCpuProcessTable, agentServicePortConfigProtocol=agentServicePortConfigProtocol, agentSwitchProtectedPortGroupId=agentSwitchProtectedPortGroupId, agentUserConfigTable=agentUserConfigTable, agentStpPortStatsMstpBpduTx=agentStpPortStatsMstpBpduTx, agentStpCstPortEdge=agentStpCstPortEdge, agentSpanningTreeConfigGroup=agentSpanningTreeConfigGroup, agentLagSummaryHashOption=agentLagSummaryHashOption, agentSwitchMFDBTable=agentSwitchMFDBTable, agentAuthenticationListName=agentAuthenticationListName, agentSnmpSpanningTreeTrapFlag=agentSnmpSpanningTreeTrapFlag, stormControlStopTrap=stormControlStopTrap, agentInventoryAdditionalPackages=agentInventoryAdditionalPackages, agentSwitchIpAddressConflictTrap=agentSwitchIpAddressConflictTrap, agentDaiVlanIndex=agentDaiVlanIndex, agentDhcpL2RelayIfEnable=agentDhcpL2RelayIfEnable, agentExecAccountingListName=agentExecAccountingListName, agentExecAccountingGroup=agentExecAccountingGroup, agentStpForceVersion=agentStpForceVersion, agentSwitchSnoopingIntfIndex=agentSwitchSnoopingIntfIndex, agentLagSummaryRateLoadInterval=agentLagSummaryRateLoadInterval, agentSwitchSnoopingIntfEntry=agentSwitchSnoopingIntfEntry, configChangedTrap=configChangedTrap, agentStpMstRootPortId=agentStpMstRootPortId, agentExecAccountingListIndex=agentExecAccountingListIndex, agentLagSummaryStatus=agentLagSummaryStatus, agentDhcpSnoopingVlanConfigTable=agentDhcpSnoopingVlanConfigTable, agentLoginSessionTable=agentLoginSessionTable, agentSwitchProtectedPortPortList=agentSwitchProtectedPortPortList, agentPasswordManagementConfigGroup=agentPasswordManagementConfigGroup, agentDNSConfigHostNameRemove=agentDNSConfigHostNameRemove, agentPortStatsRateEntry=agentPortStatsRateEntry, agentUserConfigGroup=agentUserConfigGroup, agentUdldConfigGroup=agentUdldConfigGroup, agentUdldConfigTable=agentUdldConfigTable, stpInstanceLoopInconsistentStartTrap=stpInstanceLoopInconsistentStartTrap, agentVendorClassOptionConfigGroup=agentVendorClassOptionConfigGroup, agentNetworkDhcp6ADVERTISEMessagesReceived=agentNetworkDhcp6ADVERTISEMessagesReceived, agentSwitchVlanStaticMrouterEntry=agentSwitchVlanStaticMrouterEntry, agentSwitchAddressAgingTimeoutEntry=agentSwitchAddressAgingTimeoutEntry, agentUserPortConfigEntry=agentUserPortConfigEntry, agentIPv6DNSConfigNameServerListIndex=agentIPv6DNSConfigNameServerListIndex, agentTransferUploadServerAddress=agentTransferUploadServerAddress, agentLDAPServerPort=agentLDAPServerPort, agentServicePortDhcp6MalformedMessagesReceived=agentServicePortDhcp6MalformedMessagesReceived, agentNetworkDhcp6REPLYMessagesReceived=agentNetworkDhcp6REPLYMessagesReceived, agentDhcpSnoopingIfBurstInterval=agentDhcpSnoopingIfBurstInterval, agentArpAclEntry=agentArpAclEntry, agentLagConfigStaticCapability=agentLagConfigStaticCapability, agentSnmpUserConfigEntry=agentSnmpUserConfigEntry, agentSerialBaudrate=agentSerialBaudrate, agentLagConfigCreate=agentLagConfigCreate, agentServicePortStatsGroup=agentServicePortStatsGroup, agentStpPortStatsRstpBpduRx=agentStpPortStatsRstpBpduRx, agentDhcpSnoopingInvalidClientMessages=agentDhcpSnoopingInvalidClientMessages, agentIPv6DNSConfigTTL=agentIPv6DNSConfigTTL, agentDhcpL2RelayRemoteIdVlanEnable=agentDhcpL2RelayRemoteIdVlanEnable, agentPortVoiceVlanDataPriorityMode=agentPortVoiceVlanDataPriorityMode, agentUdldIndex=agentUdldIndex, agentTransferUploadScriptFromSwitchSrcFilename=agentTransferUploadScriptFromSwitchSrcFilename, agentProtocolGroupTable=agentProtocolGroupTable, vlanDeleteLastTrap=vlanDeleteLastTrap, agentEcmpNextHops=agentEcmpNextHops, agentSwitchVlanMacAssociationTable=agentSwitchVlanMacAssociationTable, agentStpMstPortTable=agentStpMstPortTable, PortList=PortList, agentDDnsUserName=agentDDnsUserName, agentStpCstPortOperEdge=agentStpCstPortOperEdge, agentSerialParityType=agentSerialParityType, agentSwitchIfDVlanTagTPid=agentSwitchIfDVlanTagTPid, agentServicePortIpv6Gateway=agentServicePortIpv6Gateway, agentSnmpCommunityStatus=agentSnmpCommunityStatus, agentSnmpInformRetires=agentSnmpInformRetires, agentSwitchProtectedPortGroupName=agentSwitchProtectedPortGroupName, agentAuthenticationListStatus=agentAuthenticationListStatus, agentStpCstBridgeFwdDelay=agentStpCstBridgeFwdDelay, agentSnmpEngineIdConfigTable=agentSnmpEngineIdConfigTable, agentPortVoiceVlanUntagged=agentPortVoiceVlanUntagged, agentDhcpClientVendorClassIdString=agentDhcpClientVendorClassIdString, agentSwitchVlanMacAssociationGroup=agentSwitchVlanMacAssociationGroup, agentDhcpSnoopingIfConfigTable=agentDhcpSnoopingIfConfigTable, agentSerialTimeout=agentSerialTimeout, agentDynamicIpsgBindingMacAddr=agentDynamicIpsgBindingMacAddr, agentServicePortDhcp6StatsReset=agentServicePortDhcp6StatsReset, agentStaticDsBindingRowStatus=agentStaticDsBindingRowStatus, agentDNSConfigNameServerRemove=agentDNSConfigNameServerRemove, agentServicePortIpv6AddrPrefixLength=agentServicePortIpv6AddrPrefixLength, agentProtocolGroupProtocolTable=agentProtocolGroupProtocolTable, agentDhcpSnoopingStatsReset=agentDhcpSnoopingStatsReset, agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82=agentDhcpL2RelayUntrustedSrvrMsgsWithOptn82, agentSerialStopBits=agentSerialStopBits, agentSwitchSnoopingCfgEntry=agentSwitchSnoopingCfgEntry, PYSNMP_MODULE_ID=switching, agentConfigGroup=agentConfigGroup, agentUserEncryptionPassword=agentUserEncryptionPassword, agentSnmpTrapReceiverConfigEntry=agentSnmpTrapReceiverConfigEntry, agentSnmpInformIndex=agentSnmpInformIndex, agentSwitchMFDBEntry=agentSwitchMFDBEntry, agentIASUserStatus=agentIASUserStatus, agentLagSummaryPortStaticCapability=agentLagSummaryPortStaticCapability, agentSnmpCommunityConfigTable=agentSnmpCommunityConfigTable, agentAuthenticationListMethod6=agentAuthenticationListMethod6, agentDhcpL2RelayIfTrustEnable=agentDhcpL2RelayIfTrustEnable, agentLagDetailedLagIndex=agentLagDetailedLagIndex, agentDaiVlanDstMacFailures=agentDaiVlanDstMacFailures, agentTrapLogTotalSinceLastViewed=agentTrapLogTotalSinceLastViewed, agentSwitchCpuFreeMemAboveThresholdTrap=agentSwitchCpuFreeMemAboveThresholdTrap, agentStpMstPortLoopInconsistentState=agentStpMstPortLoopInconsistentState, agentSwitchSnoopingQuerierElectionParticipateMode=agentSwitchSnoopingQuerierElectionParticipateMode, agentPortVoiceVlanAuthMode=agentPortVoiceVlanAuthMode, agentServicePortIpv6AddressAutoConfig=agentServicePortIpv6AddressAutoConfig, agentSwitchStaticMacFilteringAddress=agentSwitchStaticMacFilteringAddress, agentStpPortStatsRstpBpduTx=agentStpPortStatsRstpBpduTx, agentDaiVlanArpAclStaticFlag=agentDaiVlanArpAclStaticFlag, agentSdmTemplateId=agentSdmTemplateId, agentExecAccountingMethodType=agentExecAccountingMethodType, switching=switching, agentServicePortIpv6AddrTable=agentServicePortIpv6AddrTable, agentLagSummaryStpMode=agentLagSummaryStpMode, agentSnmpCommunityCreate=agentSnmpCommunityCreate, agentSwitchSnoopingQuerierVersion=agentSwitchSnoopingQuerierVersion, agentSwitchStaticMacFilteringTable=agentSwitchStaticMacFilteringTable, agentLagDetailedPortStatus=agentLagDetailedPortStatus, agentSwitchAddressConflictDetectionStatusReset=agentSwitchAddressConflictDetectionStatusReset, agentSnmpCommunityAccessMode=agentSnmpCommunityAccessMode, agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82=agentDhcpL2RelayTrustedSrvrMsgsWithoutOptn82, agentSnmpUserEncryption=agentSnmpUserEncryption) mibBuilder.exportSymbols('SWITCHING-MIB', agentSnmpCommunityName=agentSnmpCommunityName, agentStpMstId=agentStpMstId, agentIpsgIfConfigTable=agentIpsgIfConfigTable, agentIPv6DNSConfigHostName=agentIPv6DNSConfigHostName, agentIPv6DNSConfigHostIndex=agentIPv6DNSConfigHostIndex, agentSwitchStaticMacFilteringStatus=agentSwitchStaticMacFilteringStatus, agentNetworkDhcp6MalformedMessagesReceived=agentNetworkDhcp6MalformedMessagesReceived, agentNetworkIpv6AddrStatus=agentNetworkIpv6AddrStatus, agentSwitchVlanStaticMrouterAdminMode=agentSwitchVlanStaticMrouterAdminMode, agentDDnsAddress=agentDDnsAddress, agentUdldConfigEntry=agentUdldConfigEntry, agentDhcpSnoopingStatsEntry=agentDhcpSnoopingStatsEntry, agentSwitchStaticMacFilteringEntry=agentSwitchStaticMacFilteringEntry, agentSnmpInformConfigTable=agentSnmpInformConfigTable, agentStaticIpsgBindingVlanId=agentStaticIpsgBindingVlanId, agentSwitchIfDVlanTagTable=agentSwitchIfDVlanTagTable, agentPortCapability=agentPortCapability, agentStpCstPortOperPointToPoint=agentStpCstPortOperPointToPoint, agentSwitchSnoopingQuerierVlanEntry=agentSwitchSnoopingQuerierVlanEntry, agentSwitchMFDBCurrentEntries=agentSwitchMFDBCurrentEntries, agentTransferDownloadScriptToSwitchDestFilename=agentTransferDownloadScriptToSwitchDestFilename, agentIPv6DNSConfigHostIpAddress=agentIPv6DNSConfigHostIpAddress, agentSnmpTrapSourceInterface=agentSnmpTrapSourceInterface, agentServicePortDhcp6RENEWMessagesSent=agentServicePortDhcp6RENEWMessagesSent, agentDaiVlanStatsIndex=agentDaiVlanStatsIndex, agentPortMirrorTable=agentPortMirrorTable, agentSwitchPortDVlanTagInterfaceIfIndex=agentSwitchPortDVlanTagInterfaceIfIndex, agentUserSnmpv3AccessMode=agentUserSnmpv3AccessMode, agentSwitchVlanSubnetAssociationTable=agentSwitchVlanSubnetAssociationTable, agentInventorySoftwareVersion=agentInventorySoftwareVersion, agentSwitchSnoopingIntfMRPExpirationTime=agentSwitchSnoopingIntfMRPExpirationTime, agentStpPortStatsMstpBpduRx=agentStpPortStatsMstpBpduRx, agentLDAPRacDomain=agentLDAPRacDomain, powerSupplyStatusChangeTrap=powerSupplyStatusChangeTrap, agentStpCstDesignatedCost=agentStpCstDesignatedCost, agentSwitchSnoopingQuerierOperMaxResponseTime=agentSwitchSnoopingQuerierOperMaxResponseTime, agentTransferUploadOpCodeFromSwitchSrcFilename=agentTransferUploadOpCodeFromSwitchSrcFilename, agentTelnetMaxSessions=agentTelnetMaxSessions, agentStpCstDesignatedPortId=agentStpCstDesignatedPortId, agentStpMstPortPriority=agentStpMstPortPriority, agentPortStatsRateTable=agentPortStatsRateTable, agentSwitchCpuProcessName=agentSwitchCpuProcessName, agentTransferDownloadDataType=agentTransferDownloadDataType, agentSystemGroup=agentSystemGroup, agentNetworkConfigProtocolDhcpRenew=agentNetworkConfigProtocolDhcpRenew, agentSwitchSnoopingQuerierVlanOperMode=agentSwitchSnoopingQuerierVlanOperMode, agentServicePortIpv6AddrEntry=agentServicePortIpv6AddrEntry, agentLoginSessionInetAddress=agentLoginSessionInetAddress, agentSwitchCpuProcessId=agentSwitchCpuProcessId, agentSnmpTrapReceiverIndex=agentSnmpTrapReceiverIndex, agentTransferDownloadPath=agentTransferDownloadPath, agentSnmpEngineIdIndex=agentSnmpEngineIdIndex, agentSwitchSnoopingIntfVlanIDs=agentSwitchSnoopingIntfVlanIDs, agentSwitchCpuProcessFreeMemoryThreshold=agentSwitchCpuProcessFreeMemoryThreshold, agentDDnsConfigGroup=agentDDnsConfigGroup, agentPasswordManagementPasswordStrengthCheck=agentPasswordManagementPasswordStrengthCheck, agentStpMstVlanEntry=agentStpMstVlanEntry, agentDot3adAggPortLACPMode=agentDot3adAggPortLACPMode, agentServicePortDhcp6REPLYMessagesReceived=agentServicePortDhcp6REPLYMessagesReceived, agentPortVoiceVlanPriority=agentPortVoiceVlanPriority, agentSwitchSnoopingIntfMulticastRouterMode=agentSwitchSnoopingIntfMulticastRouterMode, agentSnmpUserAuthenticationPassword=agentSnmpUserAuthenticationPassword, agentLoginSessionSessionTime=agentLoginSessionSessionTime, agentSwitchMFDBSummaryForwardingPortMask=agentSwitchMFDBSummaryForwardingPortMask, agentIPv6DNSConfigRequest=agentIPv6DNSConfigRequest, agentServicePortConfigGroup=agentServicePortConfigGroup, agentSaveConfig=agentSaveConfig, noStartupConfigTrap=noStartupConfigTrap, agentProtocolGroupProtocolEntry=agentProtocolGroupProtocolEntry, agentPortVoiceVlanMode=agentPortVoiceVlanMode, agentServicePortIpv6AddrPrefix=agentServicePortIpv6AddrPrefix, agentNetworkIpv6AddressAutoConfig=agentNetworkIpv6AddressAutoConfig, agentStpMstPortEntry=agentStpMstPortEntry, agentDhcpSnoopingVerifyMac=agentDhcpSnoopingVerifyMac, agentLoginSessionIdleTime=agentLoginSessionIdleTime, agentClassOfServicePortClass=agentClassOfServicePortClass, agentIPv6DNSConfigIpAddress=agentIPv6DNSConfigIpAddress, agentInventoryManufacturer=agentInventoryManufacturer, agentArpAclRuleEntry=agentArpAclRuleEntry, agentDNSConfigNameServerListEntry=agentDNSConfigNameServerListEntry, agentPortClearStats=agentPortClearStats, agentDynamicDsBinding=agentDynamicDsBinding, agentArpAclRuleMatchSenderMacAddr=agentArpAclRuleMatchSenderMacAddr, agentArpAclGroup=agentArpAclGroup, agentIPv6DNSConfigFlag=agentIPv6DNSConfigFlag, agentCmdsAccountingListName=agentCmdsAccountingListName, failedUserLoginTrap=failedUserLoginTrap, agentInventoryMachineType=agentInventoryMachineType, agentDNSConfigClearDNSCounters=agentDNSConfigClearDNSCounters, agentAutoinstallAutoUpgradeMode=agentAutoinstallAutoUpgradeMode, stpInstanceNewRootTrap=stpInstanceNewRootTrap, agentClearBufferedLog=agentClearBufferedLog, agentInventoryOperatingSystem=agentInventoryOperatingSystem, agentSwitchSnoopingMulticastControlFramesProcessed=agentSwitchSnoopingMulticastControlFramesProcessed, agentSwitchConflictMacAddr=agentSwitchConflictMacAddr, agentSwitchCpuFreeMemBelowThresholdTrap=agentSwitchCpuFreeMemBelowThresholdTrap, agentDDnsStatus=agentDDnsStatus, agentStpMstDesignatedCost=agentStpMstDesignatedCost, agentArpAclRuleMatchSenderIpAddr=agentArpAclRuleMatchSenderIpAddr, agentAuthenticationListIndex=agentAuthenticationListIndex, agentSnmpTrapReceiverCreate=agentSnmpTrapReceiverCreate, agentDaiVlanIpValidFailures=agentDaiVlanIpValidFailures, agentSupportedMibEntry=agentSupportedMibEntry, agentProtocolGroupPortEntry=agentProtocolGroupPortEntry, agentTransferDownloadServerAddress=agentTransferDownloadServerAddress, agentPasswordManagementStrengthMinNumericNumbers=agentPasswordManagementStrengthMinNumericNumbers, fanFailureTrap=fanFailureTrap, agentDaiVlanLoggingEnable=agentDaiVlanLoggingEnable, agentPasswordMgmtStrengthExcludeKeywordStatus=agentPasswordMgmtStrengthExcludeKeywordStatus, agentSwitchSnoopingVlanMRPExpirationTime=agentSwitchSnoopingVlanMRPExpirationTime, agentSwitchVoiceVlanInterfaceNum=agentSwitchVoiceVlanInterfaceNum, agentSwitchMFDBSummaryMacAddress=agentSwitchMFDBSummaryMacAddress, agentSwitchVlanSubnetAssociationPriority=agentSwitchVlanSubnetAssociationPriority, agentPortMirrorAdminMode=agentPortMirrorAdminMode, agentSwitchMFDBProtocolType=agentSwitchMFDBProtocolType, agentStpMstPortPathCost=agentStpMstPortPathCost, agentStpMstVlanTable=agentStpMstVlanTable, agentNetworkConfigGroup=agentNetworkConfigGroup, agentPortConfigTable=agentPortConfigTable, agentPortIfIndex=agentPortIfIndex, agentProtocolGroupName=agentProtocolGroupName, agentSwitchAddressAgingTimeoutTable=agentSwitchAddressAgingTimeoutTable, agentProtocolGroupProtocolIPX=agentProtocolGroupProtocolIPX, agentSwitchDVlanTagRowStatus=agentSwitchDVlanTagRowStatus, agentImage2=agentImage2, agentDaiVlanDhcpDrops=agentDaiVlanDhcpDrops, agentNetworkIpv6AddrTable=agentNetworkIpv6AddrTable, agentSwitchSnoopingVlanFastLeaveAdminMode=agentSwitchSnoopingVlanFastLeaveAdminMode, agentServicePortIPAddress=agentServicePortIPAddress, agentLagDetailedConfigEntry=agentLagDetailedConfigEntry, agentSnmpConfigGroup=agentSnmpConfigGroup, agentStpCstPortBpduGuardEffect=agentStpCstPortBpduGuardEffect, agentDNSConfigHostName=agentDNSConfigHostName, agentStpCstPortRootGuard=agentStpCstPortRootGuard, agentProtocolGroupPortTable=agentProtocolGroupPortTable)
# a=[1,2,3,4,5,6,7,8,8,9] # b=[1,2,3,4,5,6,7,8,8,9] # if a==b: # print("hello") # else: # print("not equal") # n=int(input()) # for i in range(n): # x=int(input()) # if x==1: # print("Yes") # elif x%2==0: # print("Yes") # else: # print("No") def pattern(inputv): if not inputv: return inputv nxt = [0]*len(inputv) for i in range(1, len(nxt)): k = nxt[i - 1] while True: if inputv[i] == inputv[k]: nxt[i] = k + 1 break elif k == 0: nxt[i] = 0 break else: k = nxt[k - 1] smallPieceLen = len(inputv) - nxt[-1] if len(inputv) % smallPieceLen != 0: return inputv return inputv[0:smallPieceLen] print(pattern("bcbdbcbcbdbc"))
def pattern(inputv): if not inputv: return inputv nxt = [0] * len(inputv) for i in range(1, len(nxt)): k = nxt[i - 1] while True: if inputv[i] == inputv[k]: nxt[i] = k + 1 break elif k == 0: nxt[i] = 0 break else: k = nxt[k - 1] small_piece_len = len(inputv) - nxt[-1] if len(inputv) % smallPieceLen != 0: return inputv return inputv[0:smallPieceLen] print(pattern('bcbdbcbcbdbc'))
# -*- coding: utf-8 -*- # @Author: Zengjq # @Date: 2019-02-20 17:07:27 # @Last Modified by: Zengjq # @Last Modified time: 2019-02-20 19:25:48 # 60% -> 73% class Solution: def longestPalindrome(self, s: 'str') -> 'str': result = "" for i in range(len(s)): lpd = self.do_expand(s, i, i) if len(lpd) > len(result): result = lpd lpd = self.do_expand(s, i, i + 1) if len(lpd) > len(result): result = lpd return result def do_expand(self, s, l, r): while l >= 0 and r < len(s) and s[l] == s[r]: l -= 1 r += 1 return s[l + 1: r] test_cases = ( "abcda", "ac", "abb", "babad", "babababd", "cbbd", ) solution = Solution() for test_case in test_cases: print(solution.longestPalindrome(test_case))
class Solution: def longest_palindrome(self, s: 'str') -> 'str': result = '' for i in range(len(s)): lpd = self.do_expand(s, i, i) if len(lpd) > len(result): result = lpd lpd = self.do_expand(s, i, i + 1) if len(lpd) > len(result): result = lpd return result def do_expand(self, s, l, r): while l >= 0 and r < len(s) and (s[l] == s[r]): l -= 1 r += 1 return s[l + 1:r] test_cases = ('abcda', 'ac', 'abb', 'babad', 'babababd', 'cbbd') solution = solution() for test_case in test_cases: print(solution.longestPalindrome(test_case))
def math(): a, b, c = map(float, input().split()) if ((b + c) > a) and ((a + c) > b) and ((a + b) > c): perimeter = (a + b + c) print('Perimetro =', perimeter) else: area = (((a + b) / 2) * c).__format__('.1f') print('Area =', area) if __name__ == '__main__': math()
def math(): (a, b, c) = map(float, input().split()) if b + c > a and a + c > b and (a + b > c): perimeter = a + b + c print('Perimetro =', perimeter) else: area = ((a + b) / 2 * c).__format__('.1f') print('Area =', area) if __name__ == '__main__': math()
dim = (512, 512, 1) # gray images SEED = 1 multiply_by = 10 # Labels/n_classes labels = sorted(['gun', 'knife']) hues_labels = {'gun':0, 'knife': 25, 'background': 45} # count background n_classes = len(labels) + 1 # background # number filters n_filters = 32 # model name model_name = '%s_model.hdf5' # annotation file name by default # all files should have the same name ann_file_name = 'coco_annotation.json' # Batch size batch_size = 4 reports_path = "reports/figures"
dim = (512, 512, 1) seed = 1 multiply_by = 10 labels = sorted(['gun', 'knife']) hues_labels = {'gun': 0, 'knife': 25, 'background': 45} n_classes = len(labels) + 1 n_filters = 32 model_name = '%s_model.hdf5' ann_file_name = 'coco_annotation.json' batch_size = 4 reports_path = 'reports/figures'
# Copyright (c) 2017 Yingxin Cheng # # 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. COMPONENT = "component" TARGET = "target" HOST = "host" THREAD = "thread" REQUEST = "request" KEYWORD = "keyword" TIME = "time" SECONDS = "seconds" ALL_VARS = {COMPONENT, TARGET, HOST, THREAD, REQUEST, KEYWORD, TIME, SECONDS} TARGET_ALIAS = "target_alias"
component = 'component' target = 'target' host = 'host' thread = 'thread' request = 'request' keyword = 'keyword' time = 'time' seconds = 'seconds' all_vars = {COMPONENT, TARGET, HOST, THREAD, REQUEST, KEYWORD, TIME, SECONDS} target_alias = 'target_alias'
# Group developers into cliques given an adjacency graph. This implementation is based in the recursive algorithm # proposed by Bron and Kerbosch in 1973 and adapted from the pseudocode in # https://en.wikipedia.org/wiki/Bron-Kerbosch_algorithm def bron_kerbosch(r, p, x, graph, cliques): if not p and not x: cliques.append(r) else: for v in p.copy(): bron_kerbosch(r.union([v]), p.intersection(graph[v]), x.intersection(graph[v]), graph, cliques) p.remove(v) x.add(v) return cliques
def bron_kerbosch(r, p, x, graph, cliques): if not p and (not x): cliques.append(r) else: for v in p.copy(): bron_kerbosch(r.union([v]), p.intersection(graph[v]), x.intersection(graph[v]), graph, cliques) p.remove(v) x.add(v) return cliques
# vim: ts=2 sw=2 sts=2 et : def mem1(f): "Caching, simple case, no arguments." cache = [0] # local memory def wrapper(*l, **kw): val = cache[0] = cache[0] or f(*l, **kw) return val return wrapper def memo(f): cache = {} # initialized at load time def g(*lst): # called at load time val = cache[lst] = cache.get(lst,None) or f(*lst) return val return g if __name__ == "__main__": # example usage class Test(object): def __init__(i): i.v = 0 @memo def inc_dec(self,arg): print(2) self.v -= arg return self.v @memo def inc_add(self,arg): print(1) self.v += arg return self.v t = Test() print(t.inc_add(10)) print(t.inc_add(20)) print(t.inc_add(10)) print(t.inc_dec(100)) print(t.inc_dec(100)) #assert t.inc_add(2) == t.inc_add(2) #assert Test.inc_add(t, 2) != Test.inc_add(t, 2)
def mem1(f): """Caching, simple case, no arguments.""" cache = [0] def wrapper(*l, **kw): val = cache[0] = cache[0] or f(*l, **kw) return val return wrapper def memo(f): cache = {} def g(*lst): val = cache[lst] = cache.get(lst, None) or f(*lst) return val return g if __name__ == '__main__': class Test(object): def __init__(i): i.v = 0 @memo def inc_dec(self, arg): print(2) self.v -= arg return self.v @memo def inc_add(self, arg): print(1) self.v += arg return self.v t = test() print(t.inc_add(10)) print(t.inc_add(20)) print(t.inc_add(10)) print(t.inc_dec(100)) print(t.inc_dec(100))
def rot(s): return s[::-1] def selfie_and_rot(s): points = '.' * s.index('\n') v = s.replace('\n', points + '\n') k = s[::-1].replace('\n', '\n' + points) return (points + '\n' + points).join((v, k)) def oper(fct, s): return fct(s) def rot2(string): return string[::-1] def selfie_and_rot2(string): s_dot = '\n'.join([s + '.' * len(s) for s in string.split('\n')]) return s_dot + '\n' + rot(s_dot) def oper2(fct, s): return fct(s)
def rot(s): return s[::-1] def selfie_and_rot(s): points = '.' * s.index('\n') v = s.replace('\n', points + '\n') k = s[::-1].replace('\n', '\n' + points) return (points + '\n' + points).join((v, k)) def oper(fct, s): return fct(s) def rot2(string): return string[::-1] def selfie_and_rot2(string): s_dot = '\n'.join([s + '.' * len(s) for s in string.split('\n')]) return s_dot + '\n' + rot(s_dot) def oper2(fct, s): return fct(s)
#!/usr/bin/python if (int(input()) - int(input()) == int(input())): print("Candy Time") else: print("Keep Hunting")
if int(input()) - int(input()) == int(input()): print('Candy Time') else: print('Keep Hunting')
class Config(object): SERVER_HOST = "127.0.0.1" SERVER_PORT = 12345 CLIENT_HOST = "127.0.0.1" CLIENT_PORT = 12346 UDP_BUF_SIZE = 1024
class Config(object): server_host = '127.0.0.1' server_port = 12345 client_host = '127.0.0.1' client_port = 12346 udp_buf_size = 1024
#Dictionary Keys must be hashable : An object is said to be hashable if it has a hash value that remains the same during its lifetime. #which means immutable, such as int, string, booleans etc dict = { 123: [1,2,3], 'A': "ABC", True: "hello", } print(dict[123]) print(dict['A']) print(dict[True])
dict = {123: [1, 2, 3], 'A': 'ABC', True: 'hello'} print(dict[123]) print(dict['A']) print(dict[True])
def binarysearch(_list, _v, _min = 0, _max = None): if _max == None: _max = len(_list) if _max == 0: return False middle_index = (_min + _max)/2 middle = _list[middle_index] if _min == _max: return False if _min == _max - 1: if _v == middle: return middle_index return False else: if _v < middle: return binarysearch(_list, _v, _min, middle_index) return binarysearch(_list, _v, middle_index, _max)
def binarysearch(_list, _v, _min=0, _max=None): if _max == None: _max = len(_list) if _max == 0: return False middle_index = (_min + _max) / 2 middle = _list[middle_index] if _min == _max: return False if _min == _max - 1: if _v == middle: return middle_index return False else: if _v < middle: return binarysearch(_list, _v, _min, middle_index) return binarysearch(_list, _v, middle_index, _max)
# Declan Reidy - 23-02-2018 # # Euler problem 5 - Exercise 4 # # 2520 is the smallest number divisible by all numbers 1 to 10 i = 2520 for i in range(i,(20*19*18*17*16*15*14*13*12*11),20): if (i % 20 ==0) and (i % 19 ==0) and (i % 18 ==0) and (i % 17 ==0) and (i % 16 ==0) and (i % 15 ==0) and (i % 14 ==0) and (i % 13 ==0) and (i % 12 ==0) and (i % 11 ==0): print("The smallest Euler number is:",i) break
i = 2520 for i in range(i, 20 * 19 * 18 * 17 * 16 * 15 * 14 * 13 * 12 * 11, 20): if i % 20 == 0 and i % 19 == 0 and (i % 18 == 0) and (i % 17 == 0) and (i % 16 == 0) and (i % 15 == 0) and (i % 14 == 0) and (i % 13 == 0) and (i % 12 == 0) and (i % 11 == 0): print('The smallest Euler number is:', i) break
name_first_player = input() name_second_player = input() points_first = 0 points_second = 0 is_finished = False card_first = input() while card_first != 'End of game': card_first = int(card_first) card_second = int(input()) if card_first > card_second: points_first += card_first - card_second elif card_first < card_second: points_second += card_second - card_first elif card_first == card_second: print(f'Number wars!') card_first = int(input()) card_second = int(input()) is_finished = True if card_first > card_second: print(f'{name_first_player} is winner with {points_first} points') break elif card_second > card_first: print(f'{name_second_player} is winner with {points_second} points') break card_first = input() if not is_finished: print(f'{name_first_player} has {points_first} points') print(f'{name_second_player} has {points_second} points')
name_first_player = input() name_second_player = input() points_first = 0 points_second = 0 is_finished = False card_first = input() while card_first != 'End of game': card_first = int(card_first) card_second = int(input()) if card_first > card_second: points_first += card_first - card_second elif card_first < card_second: points_second += card_second - card_first elif card_first == card_second: print(f'Number wars!') card_first = int(input()) card_second = int(input()) is_finished = True if card_first > card_second: print(f'{name_first_player} is winner with {points_first} points') break elif card_second > card_first: print(f'{name_second_player} is winner with {points_second} points') break card_first = input() if not is_finished: print(f'{name_first_player} has {points_first} points') print(f'{name_second_player} has {points_second} points')
MONTH_DAYS = { "1" : 31, "2" : 28, "3" : 31, "4" : 30, "5" : 31, "6" : 30, "7" : 31, "8" : 31, "9" : 30, "10" : 31, "11" : 30, "12" : 31, } TEMPLATE = "./template.xlsx"
month_days = {'1': 31, '2': 28, '3': 31, '4': 30, '5': 31, '6': 30, '7': 31, '8': 31, '9': 30, '10': 31, '11': 30, '12': 31} template = './template.xlsx'
__author__ = 'julian' class ProductosLookup(object): def get_query(self,q,request): return VProductos.objects.filter(descripcion__icontains=q,fecha_baja=None ) def format_result(self,objeto): return u"%s" % (objeto.descripcion) def format_item(self,objeto): return unicode(objeto.descripcion) def get_objects(self,ids): return VMercancias.objects.filter(pk__in=ids)
__author__ = 'julian' class Productoslookup(object): def get_query(self, q, request): return VProductos.objects.filter(descripcion__icontains=q, fecha_baja=None) def format_result(self, objeto): return u'%s' % objeto.descripcion def format_item(self, objeto): return unicode(objeto.descripcion) def get_objects(self, ids): return VMercancias.objects.filter(pk__in=ids)
def process_command(cmd, lst): cl = cmd.split(' ') if len(cl) == 3: (act, op1, op2) = tuple(cl) elif len(cl) == 2: (act, op1) = tuple(cl) elif len(cl) == 1: act = cl[0] # Executing the command if act == 'insert': lst.insert(int(op1), int(op2)) elif act == 'print' : print(lst), elif act == 'remove': lst.remove(int(op1)), elif act == 'append': lst.append(int(op1)), elif act == 'sort': lst.sort(), elif act == 'pop': lst.pop(), elif act == 'reverse': lst.reverse() else: print("RETRY!") if __name__ == '__main__': N = int(input()) lst = [] for _ in range(0, N): line = [] line = input() process_command(line, lst)
def process_command(cmd, lst): cl = cmd.split(' ') if len(cl) == 3: (act, op1, op2) = tuple(cl) elif len(cl) == 2: (act, op1) = tuple(cl) elif len(cl) == 1: act = cl[0] if act == 'insert': lst.insert(int(op1), int(op2)) elif act == 'print': (print(lst),) elif act == 'remove': (lst.remove(int(op1)),) elif act == 'append': (lst.append(int(op1)),) elif act == 'sort': (lst.sort(),) elif act == 'pop': (lst.pop(),) elif act == 'reverse': lst.reverse() else: print('RETRY!') if __name__ == '__main__': n = int(input()) lst = [] for _ in range(0, N): line = [] line = input() process_command(line, lst)
# https://leetcode.com/problems/two-sum/#/description class Solution(object): def twoSum(self, nums, target): hash = {} for i in range(0, len(nums)): if not nums[i] in hash: hash[target - nums[i]] = i else: return[hash[nums[i]], i]
class Solution(object): def two_sum(self, nums, target): hash = {} for i in range(0, len(nums)): if not nums[i] in hash: hash[target - nums[i]] = i else: return [hash[nums[i]], i]
class RequestError(Exception): def __init__(self, status: int, *args): super().__init__(*args) self.status = status
class Requesterror(Exception): def __init__(self, status: int, *args): super().__init__(*args) self.status = status
DATE_FORMAT = 'Y-m-d' # 2018-07-08 # fallback, Django default IO_DATE_FORMAT = 'Y-m-d' # 2018-07-08 # Default for i/o LONG_DATE_FORMAT = 'F j, Y' # July 8, 2018 MEDIUM_DATE_FORMAT = 'M j, Y' # Jul 8, 2018 # Default for display SHORT_DATE_FORMAT = 'n/j/Y' # 7/8/2018 MONTH_YEAR_FORMAT = 'M Y' ISO_DATETIME = 'Y-m-d\TH:i:sO' # 2018-07-08T17:02:56-08:00
date_format = 'Y-m-d' io_date_format = 'Y-m-d' long_date_format = 'F j, Y' medium_date_format = 'M j, Y' short_date_format = 'n/j/Y' month_year_format = 'M Y' iso_datetime = 'Y-m-d\\TH:i:sO'
module_name = "Contribute" priority = 10 # Markdown path for contribute contribute_markdown_path = "content/pages/resources" # String template for contribution index page contribute_index_md = ("Title: Contribute\n" "Template: contribute/contribute\n" "save_as: resources/contribute/index.html\n" "data: ") contribute_templates_path = "modules/contribute/templates" contribute_redirection_location = "modules/contribute/contribute_redirections.json"
module_name = 'Contribute' priority = 10 contribute_markdown_path = 'content/pages/resources' contribute_index_md = 'Title: Contribute\nTemplate: contribute/contribute\nsave_as: resources/contribute/index.html\ndata: ' contribute_templates_path = 'modules/contribute/templates' contribute_redirection_location = 'modules/contribute/contribute_redirections.json'
#### #### Helper functions to support page retrieval. #### These are mostly going to be Selenium. #### # from behave import * ### ### TODO: Not much here yet... ### def hello(): pass
def hello(): pass
BOT_NAME = 'mtianyanSpider' SPIDER_MODULES = ['mtianyanSpider.spiders'] NEWSPIDER_MODULE = 'mtianyanSpider.spiders' ROBOTSTXT_OBEY = False COOKIES_ENABLED = False ITEM_PIPELINES = { 'mtianyanSpider.pipelines.ElasticSearchPipeline': 400, } RANDOM_UA_TYPE = "random" SQL_DATETIME_FORMAT = "%Y-%m-%d %H:%M:%S" SQL_DATE_FORMAT = "%Y-%m-%d"
bot_name = 'mtianyanSpider' spider_modules = ['mtianyanSpider.spiders'] newspider_module = 'mtianyanSpider.spiders' robotstxt_obey = False cookies_enabled = False item_pipelines = {'mtianyanSpider.pipelines.ElasticSearchPipeline': 400} random_ua_type = 'random' sql_datetime_format = '%Y-%m-%d %H:%M:%S' sql_date_format = '%Y-%m-%d'
# MMLTBL - some common tables shared by multiple MML tools # *** READ THIS BEFORE EDITING THIS FILE *** # This file is part of the mfvitools project. # ( https://github.com/emberling/mfvitools ) # mfvitools is designed to be used inside larger projects, e.g. # johnnydmad, Beyond Chaos, Beyond Chaos Gaiden, or potentially # others in the future. # If you are editing this file as part of "johnnydmad," "Beyond Chaos," # or any other container project, please respect the independence # of these projects: # - Keep mfvitools project files in a subdirectory, and do not modify # the directory structure or mix in arbitrary code files specific to # your project. # - Keep changes to mfvitools files in this repository to a minimum. # Don't make style changes to code based on the standards of your # containing project. Don't remove functionality that you feel your # containing project won't need. Keep it simple so that code and # changes can be easily shared across projects. # - Major changes and improvements should be handled through, or at # minimum shared with, the mfvitools project, whether through # submitting changes or through creating a fork that other mfvitools # maintainers can easily see and pull from. note_tbl = { "c": 0x0, "d": 0x2, "e": 0x4, "f": 0x5, "g": 0x7, "a": 0x9, "b": 0xB, "^": 0xC, "r": 0xD } length_tbl = { 1 : (0, 0xC0), 2 : (1, 0x60), 3 : (2, 0x40), "4.": (3, 0x48), 4 : (4, 0x30), 6 : (5, 0x20), "8.": (6, 0x24), 8 : (7, 0x18), 12 : (8, 0x10), 16 : (9, 0x0C), 24 : (10, 0x08), 32 : (11, 0x06), 48 : (12, 0x04), 64 : (13, 0x03) } r_length_tbl = { 0: "1", 1: "2", 2: "3", 3: "4.", 4: "4", 5: "6", 6: "8.", 7: "8", 8: "12", 9: "", #default 10: "24", 11: "32", 12: "48", 13: "64" } command_tbl = { ("@", 1) : 0xDC, #program ("|", 1) : 0xDC, #program (hex param) ("%a", 0): 0xE1, #reset ADSR ("%a", 1): 0xDD, #set attack ("%b", 1): 0xF7, #echo feedback (rs3) ("%b", 2): 0xF7, #echo feedback (ff6) ("%c", 1): 0xCF, #noise clock ("%d0", 0): 0xFC,#drum mode off (rs3) ("%d1", 0): 0xFB,#drum mode on (rs3) ("%e0", 0): 0xD5,#disable echo ("%e1", 0): 0xD4,#enable echo ("%f", 1): 0xF8, #filter (rs3) ("%f", 2): 0xF8, #filter (ff6) ("%g0", 0): 0xE7,#disable roll (enable gaps between notes) ("%g1", 0): 0xE6,#enable roll (disable gaps between notes) ("%i", 0): 0xFB, #ignore master volume (ff6) #("%j", 1): 0xF6 - jump to marker, segment continues ("%k", 1): 0xD9, #set transpose ("%l0", 0): 0xE5,#disable legato ("%l1", 0): 0xE4,#enable legato ("%n0", 0): 0xD1,#disable noise ("%n1", 0): 0xD0,#enable noise ("%p0", 0): 0xD3,#disable pitch mod ("%p1", 0): 0xD2,#enable pitch mod ("%r", 0): 0xE1, #reset ADSR ("%r", 1): 0xE0, #set release ("%s", 0): 0xE1, #reset ADSR ("%s", 1): 0xDF, #set sustain ("%v", 1): 0xF2, #set echo volume ("%v", 2): 0xF3, #echo volume envelope ("%x", 1): 0xF4, #set master volume ("%y", 0): 0xE1, #reset ADSR ("%y", 1): 0xDE, #set decay #("j", 1): 0xF5 - jump out of loop after n iterations #("j", 2): 0xF5 - jump to marker after n iterations ("k", 1): 0xDB, #set detune ("m", 0): 0xCA, #disable vibrato ("m", 1): 0xDA, #add to transpose ("m", 2): 0xC8, #pitch envelope (portamento) ("m", 3): 0xC9, #enable vibrato ("o", 1): 0xD6, #set octave ("p", 0): 0xCE, #disable pan sweep ("p", 1): 0xC6, #set pan ("p", 2): 0xC7, #pan envelope ("p", 3): 0xCD, #pansweep ("s0", 1): 0xE9, #play sound effect with voice A ("s1", 1): 0xEA, #play sound effect with voice B ("t", 1): 0xF0, #set tempo ("t", 2): 0xF1, #tempo envelope ("u0", 0): 0xFA, #clear output code ("u1", 0): 0xF9, #increment output code ("v", 0): 0xCC, #disable tremolo ("v", 1): 0xC4, #set volume ("v", 2): 0xC5, #volume envelope ("v", 3): 0xCB, #set tremolo ("&", 1): 0xE8, #add to note duration ("<", 0): 0xD7, #increment octave (">", 0): 0xD8, #decrement octave ("[", 0): 0xE2, #start loop ("[", 1): 0xE2, #start loop ("]", 0): 0xE3 #end loop #(":", 1): 0xFC - jump to marker if event signal is sent #(";", 1): 0xF6 - jump to marker, end segment } byte_tbl = { 0xC4: (1, "v"), 0xC5: (2, "v"), 0xC6: (1, "p"), 0xC7: (2, "p"), 0xC8: (2, "m"), 0xC9: (3, "m"), 0xCA: (0, "m"), 0xCB: (3, "v"), 0xCC: (0, "v"), 0xCD: (2, "p0,"), 0xCE: (0, "p"), 0xCF: (1, "%c"), 0xD0: (0, "%n1"), 0xD1: (0, "%n0"), 0xD2: (0, "%p1"), 0xD3: (0, "%p0"), 0xD4: (0, "%e1"), 0xD5: (0, "%e0"), 0xD6: (1, "o"), 0xD7: (0, "<"), 0xD8: (0, ">"), 0xD9: (1, "%k"), 0xDA: (1, "m"), 0xDB: (1, "k"), 0xDC: (1, "@"), 0xDD: (1, "%a"), 0xDE: (1, "%y"), 0xDF: (1, "%s"), 0xE0: (1, "%r"), 0xE1: (0, "%y"), 0xE2: (1, "["), 0xE3: (0, "]"), 0xE4: (0, "%l1"), 0xE5: (0, "%l0"), 0xE6: (0, "%g1"), 0xE7: (0, "%g0"), 0xE8: (1, "&"), 0xE9: (1, "s0"), 0xEA: (1, "s1"), 0xEB: (0, "\n;"), 0xF0: (1, "t"), 0xF1: (2, "t"), 0xF2: (1, "%v"), 0xF3: (2, "%v"), 0xF4: (1, "%x"), 0xF5: (3, "j"), 0xF6: (2, "\n;"), 0xF7: (2, "%b"), 0xF8: (2, "%f"), 0xF9: (0, "u1"), 0xFA: (0, "u0"), 0xFB: (0, '%i'), 0xFC: (2, ":"), 0xFD: (1, "{FD}") } equiv_tbl = { #Commands that modify the same data, for state-aware modes (drums) #Treats k as the same command as v, though # params is not adjusted "v0,0": "v0", "p0,0": "p0", "v0,0,0": "v", "m0,0,0": "m", "|0": "@0", "%a": "%y", "%s": "%y", "%r": "%y", "|": "@0", "@": "@0", "o": "o0", }
note_tbl = {'c': 0, 'd': 2, 'e': 4, 'f': 5, 'g': 7, 'a': 9, 'b': 11, '^': 12, 'r': 13} length_tbl = {1: (0, 192), 2: (1, 96), 3: (2, 64), '4.': (3, 72), 4: (4, 48), 6: (5, 32), '8.': (6, 36), 8: (7, 24), 12: (8, 16), 16: (9, 12), 24: (10, 8), 32: (11, 6), 48: (12, 4), 64: (13, 3)} r_length_tbl = {0: '1', 1: '2', 2: '3', 3: '4.', 4: '4', 5: '6', 6: '8.', 7: '8', 8: '12', 9: '', 10: '24', 11: '32', 12: '48', 13: '64'} command_tbl = {('@', 1): 220, ('|', 1): 220, ('%a', 0): 225, ('%a', 1): 221, ('%b', 1): 247, ('%b', 2): 247, ('%c', 1): 207, ('%d0', 0): 252, ('%d1', 0): 251, ('%e0', 0): 213, ('%e1', 0): 212, ('%f', 1): 248, ('%f', 2): 248, ('%g0', 0): 231, ('%g1', 0): 230, ('%i', 0): 251, ('%k', 1): 217, ('%l0', 0): 229, ('%l1', 0): 228, ('%n0', 0): 209, ('%n1', 0): 208, ('%p0', 0): 211, ('%p1', 0): 210, ('%r', 0): 225, ('%r', 1): 224, ('%s', 0): 225, ('%s', 1): 223, ('%v', 1): 242, ('%v', 2): 243, ('%x', 1): 244, ('%y', 0): 225, ('%y', 1): 222, ('k', 1): 219, ('m', 0): 202, ('m', 1): 218, ('m', 2): 200, ('m', 3): 201, ('o', 1): 214, ('p', 0): 206, ('p', 1): 198, ('p', 2): 199, ('p', 3): 205, ('s0', 1): 233, ('s1', 1): 234, ('t', 1): 240, ('t', 2): 241, ('u0', 0): 250, ('u1', 0): 249, ('v', 0): 204, ('v', 1): 196, ('v', 2): 197, ('v', 3): 203, ('&', 1): 232, ('<', 0): 215, ('>', 0): 216, ('[', 0): 226, ('[', 1): 226, (']', 0): 227} byte_tbl = {196: (1, 'v'), 197: (2, 'v'), 198: (1, 'p'), 199: (2, 'p'), 200: (2, 'm'), 201: (3, 'm'), 202: (0, 'm'), 203: (3, 'v'), 204: (0, 'v'), 205: (2, 'p0,'), 206: (0, 'p'), 207: (1, '%c'), 208: (0, '%n1'), 209: (0, '%n0'), 210: (0, '%p1'), 211: (0, '%p0'), 212: (0, '%e1'), 213: (0, '%e0'), 214: (1, 'o'), 215: (0, '<'), 216: (0, '>'), 217: (1, '%k'), 218: (1, 'm'), 219: (1, 'k'), 220: (1, '@'), 221: (1, '%a'), 222: (1, '%y'), 223: (1, '%s'), 224: (1, '%r'), 225: (0, '%y'), 226: (1, '['), 227: (0, ']'), 228: (0, '%l1'), 229: (0, '%l0'), 230: (0, '%g1'), 231: (0, '%g0'), 232: (1, '&'), 233: (1, 's0'), 234: (1, 's1'), 235: (0, '\n;'), 240: (1, 't'), 241: (2, 't'), 242: (1, '%v'), 243: (2, '%v'), 244: (1, '%x'), 245: (3, 'j'), 246: (2, '\n;'), 247: (2, '%b'), 248: (2, '%f'), 249: (0, 'u1'), 250: (0, 'u0'), 251: (0, '%i'), 252: (2, ':'), 253: (1, '{FD}')} equiv_tbl = {'v0,0': 'v0', 'p0,0': 'p0', 'v0,0,0': 'v', 'm0,0,0': 'm', '|0': '@0', '%a': '%y', '%s': '%y', '%r': '%y', '|': '@0', '@': '@0', 'o': 'o0'}
#!/usr/bin/env python #coding: utf-8 # Definition for a binary tree node class TreeNode: def __init__(self, x): self.val = x self.left = None self.right = None class Solution: def _valid(self, root): if not root: return 0, 0, True if not root.left and not root.right: return root.val, root.val, True if root.left: lmax, lmin, lvalid = self._valid(root.left) if root.right: rmax, rmin, rvalid = self._valid(root.right) if root.left and root.right: return (rmax, lmin, lvalid and rvalid and lmax < root.val and rmin > root.val) elif root.left: return (root.val, lmin, lvalid and lmax < root.val) else: return (rmax, root.val, rvalid and rmin > root.val) # @param root, a tree node # @return a boolean def isValidBST(self, root): _, _, x = self._valid(root) return x if __name__ == '__main__': s = Solution() t0 = TreeNode(0) t1 = TreeNode(-1) t0.left = t1 assert True == s.isValidBST(t0)
class Treenode: def __init__(self, x): self.val = x self.left = None self.right = None class Solution: def _valid(self, root): if not root: return (0, 0, True) if not root.left and (not root.right): return (root.val, root.val, True) if root.left: (lmax, lmin, lvalid) = self._valid(root.left) if root.right: (rmax, rmin, rvalid) = self._valid(root.right) if root.left and root.right: return (rmax, lmin, lvalid and rvalid and (lmax < root.val) and (rmin > root.val)) elif root.left: return (root.val, lmin, lvalid and lmax < root.val) else: return (rmax, root.val, rvalid and rmin > root.val) def is_valid_bst(self, root): (_, _, x) = self._valid(root) return x if __name__ == '__main__': s = solution() t0 = tree_node(0) t1 = tree_node(-1) t0.left = t1 assert True == s.isValidBST(t0)
class Unprintable: def __repr__(self): raise ValueError("please don't print me") def f(n: int) -> int: s1 = 'short string with n: {}'.format(n) l1 = 'long string with 0..n: {}'.format(', '.join(map(str, range(n)))) us = [Unprintable(), Unprintable(), Unprintable()] if n % 10 == 0: return 1 // (n * 0) if True: if n % 2 == 0: return f(n - 1) else: return f( n - 1 )
class Unprintable: def __repr__(self): raise value_error("please don't print me") def f(n: int) -> int: s1 = 'short string with n: {}'.format(n) l1 = 'long string with 0..n: {}'.format(', '.join(map(str, range(n)))) us = [unprintable(), unprintable(), unprintable()] if n % 10 == 0: return 1 // (n * 0) if True: if n % 2 == 0: return f(n - 1) else: return f(n - 1)
n, m = list(map(int, input().split())) x = list(map(int, input().split())) y = list(map(int, input().split())) for i in x: if i in y: print(i,end = ' ')
(n, m) = list(map(int, input().split())) x = list(map(int, input().split())) y = list(map(int, input().split())) for i in x: if i in y: print(i, end=' ')
# # naive integration # def integrate(f, x1, x2, delta=1e-6): ''' function to integrate f from x1 to x2, with slice width delta ''' totArea = 0 # variable keeping track of total area x = x1 # starting point while x <= x2: sliceArea = f(x) * delta # area of the tiny slice totArea += sliceArea # area update x += delta return totArea def cube(x): return x * x * x def inv(x): return 1 / x print('intg cube 0 -> 1: ', integrate(cube, 0, 1)) print('expected: ', 1/4) print() print('intg inv 1 -> 55: ', integrate(inv, 1, 55, delta=1e-5)) print('expected: ln(55) =', 4.007333185232471)
def integrate(f, x1, x2, delta=1e-06): """ function to integrate f from x1 to x2, with slice width delta """ tot_area = 0 x = x1 while x <= x2: slice_area = f(x) * delta tot_area += sliceArea x += delta return totArea def cube(x): return x * x * x def inv(x): return 1 / x print('intg cube 0 -> 1: ', integrate(cube, 0, 1)) print('expected: ', 1 / 4) print() print('intg inv 1 -> 55: ', integrate(inv, 1, 55, delta=1e-05)) print('expected: ln(55) =', 4.007333185232471)
# 392. Is Subsequence # Runtime: 104 ms, faster than 6.10% of Python3 online submissions for Is Subsequence. # Memory Usage: 15 MB, less than 9.86% of Python3 online submissions for Is Subsequence. class Solution: # Dynamic Programming | Edit Distance def isSubsequence(self, s: str, t: str) -> bool: if not s: return True elif len(s) == len(t): return s == t # Matrix to store the history of matches/deletions. dp = [[0] * (len(t) + 1) for _ in range(len(s) + 1)] for j in range(1, len(t) + 1): for i in range(1, len(s) + 1): if s[i - 1] == t[j - 1]: # Find another match. dp[i][j] = dp[i - 1][j - 1] + 1 else: # Retrieve the maximal result from previous prefixes. dp[i][j] = max(dp[i][j - 1], dp[i - 1][j]) # Check if we can consume the entire source string with the current prefix of the target string. if dp[len(s)][j] == len(s): return True return False
class Solution: def is_subsequence(self, s: str, t: str) -> bool: if not s: return True elif len(s) == len(t): return s == t dp = [[0] * (len(t) + 1) for _ in range(len(s) + 1)] for j in range(1, len(t) + 1): for i in range(1, len(s) + 1): if s[i - 1] == t[j - 1]: dp[i][j] = dp[i - 1][j - 1] + 1 else: dp[i][j] = max(dp[i][j - 1], dp[i - 1][j]) if dp[len(s)][j] == len(s): return True return False
vacation_time = int(input()) total_amount_of_time = 365 play_per_day_when_work = 63 play_per_day_when_vacation = 127 total_work_time = total_amount_of_time - vacation_time total_play_time = total_work_time * play_per_day_when_work + \ vacation_time * play_per_day_when_vacation diff = 30000 - total_play_time hours = abs(diff) // 60 minutes = abs(diff) % 60 if total_play_time < 30000: print('Tom sleeps well') print(f'{abs(hours)} hours and {abs(minutes)} minutes less for play') else: print('Tom will run away') print(f'{abs(hours)} hours and {abs(minutes)} minutes more for play')
vacation_time = int(input()) total_amount_of_time = 365 play_per_day_when_work = 63 play_per_day_when_vacation = 127 total_work_time = total_amount_of_time - vacation_time total_play_time = total_work_time * play_per_day_when_work + vacation_time * play_per_day_when_vacation diff = 30000 - total_play_time hours = abs(diff) // 60 minutes = abs(diff) % 60 if total_play_time < 30000: print('Tom sleeps well') print(f'{abs(hours)} hours and {abs(minutes)} minutes less for play') else: print('Tom will run away') print(f'{abs(hours)} hours and {abs(minutes)} minutes more for play')
# # PySNMP MIB module Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB # Produced by pysmi-0.3.4 at Mon Apr 29 20:21:49 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, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, SingleValueConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "SingleValueConstraint", "ConstraintsIntersection") StorageType, Counter32, Integer32, Unsigned32, RowStatus, RowPointer, DisplayString = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-StandardTextualConventionsMIB", "StorageType", "Counter32", "Integer32", "Unsigned32", "RowStatus", "RowPointer", "DisplayString") AsciiStringIndex, Hex, Link, AsciiString, NonReplicated, DigitString, EnterpriseDateAndTime = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-TextualConventionsMIB", "AsciiStringIndex", "Hex", "Link", "AsciiString", "NonReplicated", "DigitString", "EnterpriseDateAndTime") mscPassportMIBs, mscComponents = mibBuilder.importSymbols("Nortel-MsCarrier-MscPassport-UsefulDefinitionsMIB", "mscPassportMIBs", "mscComponents") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Counter64, MibIdentifier, NotificationType, Counter32, iso, Integer32, Unsigned32, IpAddress, Gauge32, MibScalar, MibTable, MibTableRow, MibTableColumn, TimeTicks, Bits, ModuleIdentity, ObjectIdentity = mibBuilder.importSymbols("SNMPv2-SMI", "Counter64", "MibIdentifier", "NotificationType", "Counter32", "iso", "Integer32", "Unsigned32", "IpAddress", "Gauge32", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "TimeTicks", "Bits", "ModuleIdentity", "ObjectIdentity") TextualConvention, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "TextualConvention", "DisplayString") serverAccessRsaMIB = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116)) mscRsa = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108)) mscRsaRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1), ) if mibBuilder.loadTexts: mscRsaRowStatusTable.setStatus('mandatory') mscRsaRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex")) if mibBuilder.loadTexts: mscRsaRowStatusEntry.setStatus('mandatory') mscRsaRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaRowStatus.setStatus('mandatory') mscRsaComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaComponentName.setStatus('mandatory') mscRsaStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaStorageType.setStatus('mandatory') mscRsaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 10), AsciiStringIndex().subtype(subtypeSpec=ValueSizeConstraint(1, 8))) if mibBuilder.loadTexts: mscRsaIndex.setStatus('mandatory') mscRsaOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10), ) if mibBuilder.loadTexts: mscRsaOptionsTable.setStatus('mandatory') mscRsaOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex")) if mibBuilder.loadTexts: mscRsaOptionsEntry.setStatus('mandatory') mscRsaLogicalProcessor = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10, 1, 2), Link()).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaLogicalProcessor.setStatus('mandatory') mscRsaStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11), ) if mibBuilder.loadTexts: mscRsaStateTable.setStatus('mandatory') mscRsaStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex")) if mibBuilder.loadTexts: mscRsaStateEntry.setStatus('mandatory') mscRsaAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaAdminState.setStatus('mandatory') mscRsaOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaOperationalState.setStatus('mandatory') mscRsaUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaUsageState.setStatus('mandatory') mscRsaOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12), ) if mibBuilder.loadTexts: mscRsaOperationalTable.setStatus('mandatory') mscRsaOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex")) if mibBuilder.loadTexts: mscRsaOperationalEntry.setStatus('mandatory') mscRsaMaxRsiConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1, 2), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1000, 1000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaMaxRsiConnections.setStatus('mandatory') mscRsaRsiConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 1000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaRsiConnections.setStatus('mandatory') mscRsaDna = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2)) mscRsaDnaRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1), ) if mibBuilder.loadTexts: mscRsaDnaRowStatusTable.setStatus('mandatory') mscRsaDnaRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex")) if mibBuilder.loadTexts: mscRsaDnaRowStatusEntry.setStatus('mandatory') mscRsaDnaRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaRowStatus.setStatus('mandatory') mscRsaDnaComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaComponentName.setStatus('mandatory') mscRsaDnaStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaStorageType.setStatus('mandatory') mscRsaDnaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: mscRsaDnaIndex.setStatus('mandatory') mscRsaDnaAddressTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10), ) if mibBuilder.loadTexts: mscRsaDnaAddressTable.setStatus('mandatory') mscRsaDnaAddressEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex")) if mibBuilder.loadTexts: mscRsaDnaAddressEntry.setStatus('mandatory') mscRsaDnaNumberingPlanIndicator = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1))).clone('x121')).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaNumberingPlanIndicator.setStatus('mandatory') mscRsaDnaDataNetworkAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1, 2), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaDataNetworkAddress.setStatus('mandatory') mscRsaDnaOutgoingOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11), ) if mibBuilder.loadTexts: mscRsaDnaOutgoingOptionsTable.setStatus('mandatory') mscRsaDnaOutgoingOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex")) if mibBuilder.loadTexts: mscRsaDnaOutgoingOptionsEntry.setStatus('mandatory') mscRsaDnaOutCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('disallowed')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaOutCalls.setStatus('mandatory') mscRsaDnaIncomingOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12), ) if mibBuilder.loadTexts: mscRsaDnaIncomingOptionsTable.setStatus('mandatory') mscRsaDnaIncomingOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex")) if mibBuilder.loadTexts: mscRsaDnaIncomingOptionsEntry.setStatus('mandatory') mscRsaDnaIncCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaIncCalls.setStatus('mandatory') mscRsaDnaIncAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('disallowed')).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaIncAccess.setStatus('mandatory') mscRsaDnaCug = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2)) mscRsaDnaCugRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1), ) if mibBuilder.loadTexts: mscRsaDnaCugRowStatusTable.setStatus('mandatory') mscRsaDnaCugRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaCugIndex")) if mibBuilder.loadTexts: mscRsaDnaCugRowStatusEntry.setStatus('mandatory') mscRsaDnaCugRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaCugRowStatus.setStatus('mandatory') mscRsaDnaCugComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugComponentName.setStatus('mandatory') mscRsaDnaCugStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugStorageType.setStatus('mandatory') mscRsaDnaCugIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))) if mibBuilder.loadTexts: mscRsaDnaCugIndex.setStatus('mandatory') mscRsaDnaCugCugOptionsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10), ) if mibBuilder.loadTexts: mscRsaDnaCugCugOptionsTable.setStatus('mandatory') mscRsaDnaCugCugOptionsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaDnaCugIndex")) if mibBuilder.loadTexts: mscRsaDnaCugCugOptionsEntry.setStatus('mandatory') mscRsaDnaCugType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("national", 0), ("international", 1))).clone('national')).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaCugType.setStatus('mandatory') mscRsaDnaCugDnic = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 2), DigitString().subtype(subtypeSpec=ValueSizeConstraint(4, 4)).setFixedLength(4).clone(hexValue="30303030")).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaCugDnic.setStatus('mandatory') mscRsaDnaCugInterlockCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaDnaCugInterlockCode.setStatus('mandatory') mscRsaDnaCugPreferential = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('no')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugPreferential.setStatus('mandatory') mscRsaDnaCugOutCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('disallowed')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugOutCalls.setStatus('mandatory') mscRsaDnaCugIncCalls = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disallowed", 0), ("allowed", 1))).clone('allowed')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugIncCalls.setStatus('mandatory') mscRsaDnaCugPrivileged = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1))).clone('yes')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaDnaCugPrivileged.setStatus('mandatory') mscRsaVncsAccess = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3)) mscRsaVncsAccessRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1), ) if mibBuilder.loadTexts: mscRsaVncsAccessRowStatusTable.setStatus('mandatory') mscRsaVncsAccessRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaVncsAccessIndex")) if mibBuilder.loadTexts: mscRsaVncsAccessRowStatusEntry.setStatus('mandatory') mscRsaVncsAccessRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 1), RowStatus()).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaVncsAccessRowStatus.setStatus('mandatory') mscRsaVncsAccessComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessComponentName.setStatus('mandatory') mscRsaVncsAccessStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessStorageType.setStatus('mandatory') mscRsaVncsAccessIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: mscRsaVncsAccessIndex.setStatus('mandatory') mscRsaVncsAccessProvisionedTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10), ) if mibBuilder.loadTexts: mscRsaVncsAccessProvisionedTable.setStatus('mandatory') mscRsaVncsAccessProvisionedEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaVncsAccessIndex")) if mibBuilder.loadTexts: mscRsaVncsAccessProvisionedEntry.setStatus('mandatory') mscRsaVncsAccessTimeToLive = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 5)).clone(2)).setMaxAccess("readwrite") if mibBuilder.loadTexts: mscRsaVncsAccessTimeToLive.setStatus('mandatory') mscRsaVncsAccessStateTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11), ) if mibBuilder.loadTexts: mscRsaVncsAccessStateTable.setStatus('mandatory') mscRsaVncsAccessStateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaVncsAccessIndex")) if mibBuilder.loadTexts: mscRsaVncsAccessStateEntry.setStatus('mandatory') mscRsaVncsAccessAdminState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("locked", 0), ("unlocked", 1), ("shuttingDown", 2))).clone('unlocked')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessAdminState.setStatus('mandatory') mscRsaVncsAccessOperationalState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("disabled", 0), ("enabled", 1))).clone('disabled')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessOperationalState.setStatus('mandatory') mscRsaVncsAccessUsageState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("idle", 0), ("active", 1), ("busy", 2))).clone('idle')).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessUsageState.setStatus('mandatory') mscRsaVncsAccessOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12), ) if mibBuilder.loadTexts: mscRsaVncsAccessOperationalTable.setStatus('mandatory') mscRsaVncsAccessOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaVncsAccessIndex")) if mibBuilder.loadTexts: mscRsaVncsAccessOperationalEntry.setStatus('mandatory') mscRsaVncsAccessRequestsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessRequestsSent.setStatus('mandatory') mscRsaVncsAccessRepliesReceived = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessRepliesReceived.setStatus('mandatory') mscRsaVncsAccessRequestsQueued = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 3), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessRequestsQueued.setStatus('mandatory') mscRsaVncsAccessRequestsDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaVncsAccessRequestsDiscarded.setStatus('mandatory') mscRsaConnection = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4)) mscRsaConnectionRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1), ) if mibBuilder.loadTexts: mscRsaConnectionRowStatusTable.setStatus('mandatory') mscRsaConnectionRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex")) if mibBuilder.loadTexts: mscRsaConnectionRowStatusEntry.setStatus('mandatory') mscRsaConnectionRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionRowStatus.setStatus('mandatory') mscRsaConnectionComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionComponentName.setStatus('mandatory') mscRsaConnectionStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionStorageType.setStatus('mandatory') mscRsaConnectionIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 10), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 1000))) if mibBuilder.loadTexts: mscRsaConnectionIndex.setStatus('mandatory') mscRsaConnectionOperationalTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10), ) if mibBuilder.loadTexts: mscRsaConnectionOperationalTable.setStatus('mandatory') mscRsaConnectionOperationalEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex")) if mibBuilder.loadTexts: mscRsaConnectionOperationalEntry.setStatus('mandatory') mscRsaConnectionRemoteName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1, 1), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionRemoteName.setStatus('mandatory') mscRsaConnectionCallState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("initializing", 0), ("creatingVc", 1), ("calling", 2), ("acceptingCall", 3), ("registeringFmo", 4), ("establishingLapf", 5), ("dataTransfer", 6), ("clearingCall", 7), ("terminating", 8), ("terminatingVc", 9), ("terminated", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionCallState.setStatus('mandatory') mscRsaConnectionServerStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11), ) if mibBuilder.loadTexts: mscRsaConnectionServerStatsTable.setStatus('mandatory') mscRsaConnectionServerStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex")) if mibBuilder.loadTexts: mscRsaConnectionServerStatsEntry.setStatus('mandatory') mscRsaConnectionVncsRequests = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVncsRequests.setStatus('mandatory') mscRsaConnectionVncsReplies = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVncsReplies.setStatus('mandatory') mscRsaConnectionLapfStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12), ) if mibBuilder.loadTexts: mscRsaConnectionLapfStatusTable.setStatus('mandatory') mscRsaConnectionLapfStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex")) if mibBuilder.loadTexts: mscRsaConnectionLapfStatusEntry.setStatus('mandatory') mscRsaConnectionLapfState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 5, 7))).clone(namedValues=NamedValues(("disconnected", 1), ("linkSetup", 2), ("disconnectRequest", 4), ("informationTransfer", 5), ("waitingAck", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfState.setStatus('mandatory') mscRsaConnectionLapfQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfQueueSize.setStatus('mandatory') mscRsaConnectionLapfStatsTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13), ) if mibBuilder.loadTexts: mscRsaConnectionLapfStatsTable.setStatus('mandatory') mscRsaConnectionLapfStatsEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex")) if mibBuilder.loadTexts: mscRsaConnectionLapfStatsEntry.setStatus('mandatory') mscRsaConnectionLapfStateChanges = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 1), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfStateChanges.setStatus('mandatory') mscRsaConnectionLapfRemoteBusy = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 2), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfRemoteBusy.setStatus('mandatory') mscRsaConnectionLapfAckTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 3), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfAckTimeouts.setStatus('mandatory') mscRsaConnectionLapfRejectFramesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 4), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfRejectFramesRx.setStatus('mandatory') mscRsaConnectionLapfIFramesTx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 5), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesTx.setStatus('mandatory') mscRsaConnectionLapfIFramesTxDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 6), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesTxDiscarded.setStatus('mandatory') mscRsaConnectionLapfIFramesRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 7), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesRx.setStatus('mandatory') mscRsaConnectionLapfIFramesRxDiscarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 8), Counter32()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesRxDiscarded.setStatus('mandatory') mscRsaConnectionVc = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2)) mscRsaConnectionVcRowStatusTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1), ) if mibBuilder.loadTexts: mscRsaConnectionVcRowStatusTable.setStatus('mandatory') mscRsaConnectionVcRowStatusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcIndex")) if mibBuilder.loadTexts: mscRsaConnectionVcRowStatusEntry.setStatus('mandatory') mscRsaConnectionVcRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 1), RowStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcRowStatus.setStatus('mandatory') mscRsaConnectionVcComponentName = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 2), DisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcComponentName.setStatus('mandatory') mscRsaConnectionVcStorageType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 4), StorageType()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcStorageType.setStatus('mandatory') mscRsaConnectionVcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 10), NonReplicated()) if mibBuilder.loadTexts: mscRsaConnectionVcIndex.setStatus('mandatory') mscRsaConnectionVcCadTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10), ) if mibBuilder.loadTexts: mscRsaConnectionVcCadTable.setStatus('mandatory') mscRsaConnectionVcCadEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcIndex")) if mibBuilder.loadTexts: mscRsaConnectionVcCadEntry.setStatus('mandatory') mscRsaConnectionVcType = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 1), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("svc", 0), ("pvc", 1), ("spvc", 2), ("frf10spvc", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcType.setStatus('mandatory') mscRsaConnectionVcState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcState.setStatus('mandatory') mscRsaConnectionVcPreviousState = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("creating", 0), ("readyP1", 1), ("dteWaitingP2", 2), ("dceWaitingP3", 3), ("dataTransferP4", 4), ("unsupportedP5", 5), ("dteClearRequestP6", 6), ("dceClearIndicationP7", 7), ("termination", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPreviousState.setStatus('mandatory') mscRsaConnectionVcDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcDiagnosticCode.setStatus('mandatory') mscRsaConnectionVcPreviousDiagnosticCode = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPreviousDiagnosticCode.setStatus('mandatory') mscRsaConnectionVcCalledNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCalledNpi.setStatus('mandatory') mscRsaConnectionVcCalledDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 7), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCalledDna.setStatus('mandatory') mscRsaConnectionVcCalledLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCalledLcn.setStatus('mandatory') mscRsaConnectionVcCallingNpi = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("x121", 0), ("e164", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCallingNpi.setStatus('mandatory') mscRsaConnectionVcCallingDna = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 10), DigitString().subtype(subtypeSpec=ValueSizeConstraint(1, 15))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCallingDna.setStatus('mandatory') mscRsaConnectionVcCallingLcn = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(1, 65535))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCallingLcn.setStatus('mandatory') mscRsaConnectionVcAccountingEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("yes", 0), ("no", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcAccountingEnabled.setStatus('mandatory') mscRsaConnectionVcFastSelectCall = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("no", 0), ("yes", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcFastSelectCall.setStatus('mandatory') mscRsaConnectionVcPathReliability = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("high", 0), ("normal", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPathReliability.setStatus('mandatory') mscRsaConnectionVcAccountingEnd = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("callingEnd", 0), ("calledEnd", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcAccountingEnd.setStatus('mandatory') mscRsaConnectionVcPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("normal", 0), ("high", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPriority.setStatus('mandatory') mscRsaConnectionVcSegmentSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 22), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcSegmentSize.setStatus('mandatory') mscRsaConnectionVcMaxSubnetPktSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 27), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4096))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcMaxSubnetPktSize.setStatus('mandatory') mscRsaConnectionVcRcosToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("throughput", 0), ("delay", 1), ("multimedia", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcRcosToNetwork.setStatus('mandatory') mscRsaConnectionVcRcosFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("throughput", 0), ("delay", 1), ("multimedia", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcRcosFromNetwork.setStatus('mandatory') mscRsaConnectionVcEmissionPriorityToNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("interrupting", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcEmissionPriorityToNetwork.setStatus('mandatory') mscRsaConnectionVcEmissionPriorityFromNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("normal", 0), ("high", 1), ("interrupting", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcEmissionPriorityFromNetwork.setStatus('mandatory') mscRsaConnectionVcDataPath = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 32), AsciiString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcDataPath.setStatus('mandatory') mscRsaConnectionVcIntdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11), ) if mibBuilder.loadTexts: mscRsaConnectionVcIntdTable.setStatus('mandatory') mscRsaConnectionVcIntdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcIndex")) if mibBuilder.loadTexts: mscRsaConnectionVcIntdEntry.setStatus('mandatory') mscRsaConnectionVcCallReferenceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 1), Hex().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCallReferenceNumber.setStatus('obsolete') mscRsaConnectionVcElapsedTimeTillNow = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcElapsedTimeTillNow.setStatus('mandatory') mscRsaConnectionVcSegmentsRx = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcSegmentsRx.setStatus('mandatory') mscRsaConnectionVcSegmentsSent = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 16777215))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcSegmentsSent.setStatus('mandatory') mscRsaConnectionVcStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 5), EnterpriseDateAndTime().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 0), ValueSizeConstraint(19, 19), ))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcStartTime.setStatus('mandatory') mscRsaConnectionVcCallReferenceNumberDecimal = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 4294967295))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCallReferenceNumberDecimal.setStatus('mandatory') mscRsaConnectionVcFrdTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12), ) if mibBuilder.loadTexts: mscRsaConnectionVcFrdTable.setStatus('mandatory') mscRsaConnectionVcFrdEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcIndex")) if mibBuilder.loadTexts: mscRsaConnectionVcFrdEntry.setStatus('mandatory') mscRsaConnectionVcFrmCongestedToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 2), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcFrmCongestedToSubnet.setStatus('mandatory') mscRsaConnectionVcCannotForwardToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 3), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCannotForwardToSubnet.setStatus('mandatory') mscRsaConnectionVcNotDataXferToSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 4), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcNotDataXferToSubnet.setStatus('mandatory') mscRsaConnectionVcOutOfRangeFrmFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 5), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcOutOfRangeFrmFromSubnet.setStatus('mandatory') mscRsaConnectionVcCombErrorsFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 6), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcCombErrorsFromSubnet.setStatus('mandatory') mscRsaConnectionVcDuplicatesFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 7), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcDuplicatesFromSubnet.setStatus('mandatory') mscRsaConnectionVcNotDataXferFromSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 8), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcNotDataXferFromSubnet.setStatus('mandatory') mscRsaConnectionVcFrmLossTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 9), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcFrmLossTimeouts.setStatus('mandatory') mscRsaConnectionVcOoSeqByteCntExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 10), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcOoSeqByteCntExceeded.setStatus('mandatory') mscRsaConnectionVcPeakOoSeqPktCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 11), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqPktCount.setStatus('mandatory') mscRsaConnectionVcPeakOoSeqFrmForwarded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 12), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqFrmForwarded.setStatus('mandatory') mscRsaConnectionVcSendSequenceNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 13), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcSendSequenceNumber.setStatus('mandatory') mscRsaConnectionVcPktRetryTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 15), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPktRetryTimeouts.setStatus('mandatory') mscRsaConnectionVcPeakRetryQueueSize = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 16), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPeakRetryQueueSize.setStatus('mandatory') mscRsaConnectionVcSubnetRecoveries = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 17), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 5000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcSubnetRecoveries.setStatus('mandatory') mscRsaConnectionVcOoSeqPktCntExceeded = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 19), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcOoSeqPktCntExceeded.setStatus('mandatory') mscRsaConnectionVcPeakOoSeqByteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 20), Unsigned32().subtype(subtypeSpec=ValueRangeConstraint(0, 50000))).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqByteCount.setStatus('mandatory') mscRsaConnectionVcDmepTable = MibTable((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417), ) if mibBuilder.loadTexts: mscRsaConnectionVcDmepTable.setStatus('mandatory') mscRsaConnectionVcDmepEntry = MibTableRow((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417, 1), ).setIndexNames((0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcIndex"), (0, "Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", "mscRsaConnectionVcDmepValue")) if mibBuilder.loadTexts: mscRsaConnectionVcDmepEntry.setStatus('mandatory') mscRsaConnectionVcDmepValue = MibTableColumn((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417, 1, 1), RowPointer()).setMaxAccess("readonly") if mibBuilder.loadTexts: mscRsaConnectionVcDmepValue.setStatus('mandatory') serverAccessRsaGroup = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1)) serverAccessRsaGroupCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1)) serverAccessRsaGroupCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1, 3)) serverAccessRsaGroupCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1, 3, 2)) serverAccessRsaCapabilities = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3)) serverAccessRsaCapabilitiesCA = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1)) serverAccessRsaCapabilitiesCA02 = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1, 3)) serverAccessRsaCapabilitiesCA02A = MibIdentifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1, 3, 2)) mibBuilder.exportSymbols("Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB", mscRsaConnectionRowStatus=mscRsaConnectionRowStatus, mscRsaDnaRowStatus=mscRsaDnaRowStatus, mscRsaConnectionVcMaxSubnetPktSize=mscRsaConnectionVcMaxSubnetPktSize, mscRsaConnectionVcCombErrorsFromSubnet=mscRsaConnectionVcCombErrorsFromSubnet, mscRsaConnectionVcCannotForwardToSubnet=mscRsaConnectionVcCannotForwardToSubnet, mscRsaDnaComponentName=mscRsaDnaComponentName, mscRsaRowStatusTable=mscRsaRowStatusTable, mscRsaStateEntry=mscRsaStateEntry, mscRsaVncsAccessRowStatus=mscRsaVncsAccessRowStatus, mscRsaDnaCugInterlockCode=mscRsaDnaCugInterlockCode, mscRsaConnectionVcComponentName=mscRsaConnectionVcComponentName, mscRsaConnectionVcCalledNpi=mscRsaConnectionVcCalledNpi, mscRsaMaxRsiConnections=mscRsaMaxRsiConnections, serverAccessRsaCapabilitiesCA02=serverAccessRsaCapabilitiesCA02, mscRsaDnaCugPrivileged=mscRsaDnaCugPrivileged, mscRsaConnectionVcPeakOoSeqFrmForwarded=mscRsaConnectionVcPeakOoSeqFrmForwarded, mscRsaConnectionServerStatsEntry=mscRsaConnectionServerStatsEntry, mscRsaConnectionLapfStatsTable=mscRsaConnectionLapfStatsTable, mscRsaConnectionLapfRejectFramesRx=mscRsaConnectionLapfRejectFramesRx, mscRsaVncsAccessComponentName=mscRsaVncsAccessComponentName, mscRsaDnaIncCalls=mscRsaDnaIncCalls, mscRsaDnaCugRowStatusEntry=mscRsaDnaCugRowStatusEntry, mscRsaConnectionVc=mscRsaConnectionVc, mscRsaConnectionVcDuplicatesFromSubnet=mscRsaConnectionVcDuplicatesFromSubnet, mscRsaDnaRowStatusEntry=mscRsaDnaRowStatusEntry, mscRsaConnectionVcCadEntry=mscRsaConnectionVcCadEntry, mscRsaVncsAccessRepliesReceived=mscRsaVncsAccessRepliesReceived, mscRsaDnaAddressEntry=mscRsaDnaAddressEntry, mscRsaConnectionVcIntdEntry=mscRsaConnectionVcIntdEntry, mscRsaConnectionRemoteName=mscRsaConnectionRemoteName, mscRsaOperationalState=mscRsaOperationalState, mscRsaRowStatus=mscRsaRowStatus, mscRsaConnectionOperationalTable=mscRsaConnectionOperationalTable, mscRsaDnaRowStatusTable=mscRsaDnaRowStatusTable, mscRsaVncsAccessStateEntry=mscRsaVncsAccessStateEntry, mscRsaConnectionVcPeakOoSeqPktCount=mscRsaConnectionVcPeakOoSeqPktCount, mscRsaConnectionVcCalledLcn=mscRsaConnectionVcCalledLcn, mscRsaVncsAccessRowStatusTable=mscRsaVncsAccessRowStatusTable, mscRsaUsageState=mscRsaUsageState, mscRsaConnectionLapfRemoteBusy=mscRsaConnectionLapfRemoteBusy, mscRsaConnectionVcSegmentsSent=mscRsaConnectionVcSegmentsSent, mscRsa=mscRsa, mscRsaStateTable=mscRsaStateTable, mscRsaConnectionVcDmepValue=mscRsaConnectionVcDmepValue, mscRsaDnaOutgoingOptionsEntry=mscRsaDnaOutgoingOptionsEntry, mscRsaVncsAccessOperationalEntry=mscRsaVncsAccessOperationalEntry, mscRsaConnectionVcCallReferenceNumberDecimal=mscRsaConnectionVcCallReferenceNumberDecimal, mscRsaConnectionLapfStatsEntry=mscRsaConnectionLapfStatsEntry, mscRsaConnectionVcSegmentSize=mscRsaConnectionVcSegmentSize, mscRsaConnectionVcNotDataXferFromSubnet=mscRsaConnectionVcNotDataXferFromSubnet, mscRsaAdminState=mscRsaAdminState, mscRsaVncsAccessTimeToLive=mscRsaVncsAccessTimeToLive, mscRsaVncsAccessRequestsSent=mscRsaVncsAccessRequestsSent, mscRsaConnectionLapfIFramesTx=mscRsaConnectionLapfIFramesTx, serverAccessRsaGroupCA02A=serverAccessRsaGroupCA02A, mscRsaVncsAccessRowStatusEntry=mscRsaVncsAccessRowStatusEntry, mscRsaConnectionVcFastSelectCall=mscRsaConnectionVcFastSelectCall, mscRsaVncsAccessRequestsDiscarded=mscRsaVncsAccessRequestsDiscarded, mscRsaDnaCugStorageType=mscRsaDnaCugStorageType, mscRsaConnectionLapfStateChanges=mscRsaConnectionLapfStateChanges, mscRsaConnectionVcPeakOoSeqByteCount=mscRsaConnectionVcPeakOoSeqByteCount, mscRsaConnectionLapfStatusEntry=mscRsaConnectionLapfStatusEntry, mscRsaConnectionLapfState=mscRsaConnectionLapfState, mscRsaConnectionVcAccountingEnabled=mscRsaConnectionVcAccountingEnabled, serverAccessRsaGroupCA02=serverAccessRsaGroupCA02, mscRsaDnaCugCugOptionsTable=mscRsaDnaCugCugOptionsTable, mscRsaConnectionVcSendSequenceNumber=mscRsaConnectionVcSendSequenceNumber, mscRsaDna=mscRsaDna, mscRsaConnectionVncsRequests=mscRsaConnectionVncsRequests, mscRsaConnectionVcRowStatusTable=mscRsaConnectionVcRowStatusTable, mscRsaConnectionVcRcosToNetwork=mscRsaConnectionVcRcosToNetwork, mscRsaConnectionVcElapsedTimeTillNow=mscRsaConnectionVcElapsedTimeTillNow, mscRsaVncsAccessProvisionedEntry=mscRsaVncsAccessProvisionedEntry, mscRsaDnaCugIndex=mscRsaDnaCugIndex, mscRsaConnectionIndex=mscRsaConnectionIndex, mscRsaDnaIncomingOptionsEntry=mscRsaDnaIncomingOptionsEntry, mscRsaDnaIncAccess=mscRsaDnaIncAccess, mscRsaConnectionOperationalEntry=mscRsaConnectionOperationalEntry, mscRsaConnectionVcCallingDna=mscRsaConnectionVcCallingDna, mscRsaVncsAccessAdminState=mscRsaVncsAccessAdminState, mscRsaConnectionRowStatusTable=mscRsaConnectionRowStatusTable, serverAccessRsaCapabilitiesCA02A=serverAccessRsaCapabilitiesCA02A, mscRsaDnaCugRowStatusTable=mscRsaDnaCugRowStatusTable, mscRsaConnectionVcFrmLossTimeouts=mscRsaConnectionVcFrmLossTimeouts, mscRsaConnectionVcPreviousDiagnosticCode=mscRsaConnectionVcPreviousDiagnosticCode, mscRsaConnectionVcOutOfRangeFrmFromSubnet=mscRsaConnectionVcOutOfRangeFrmFromSubnet, mscRsaConnectionVcIndex=mscRsaConnectionVcIndex, mscRsaOptionsTable=mscRsaOptionsTable, mscRsaConnectionComponentName=mscRsaConnectionComponentName, mscRsaConnectionVcSubnetRecoveries=mscRsaConnectionVcSubnetRecoveries, mscRsaDnaOutCalls=mscRsaDnaOutCalls, mscRsaVncsAccessProvisionedTable=mscRsaVncsAccessProvisionedTable, mscRsaDnaDataNetworkAddress=mscRsaDnaDataNetworkAddress, mscRsaDnaOutgoingOptionsTable=mscRsaDnaOutgoingOptionsTable, serverAccessRsaCapabilitiesCA=serverAccessRsaCapabilitiesCA, mscRsaConnectionVcCallingLcn=mscRsaConnectionVcCallingLcn, mscRsaDnaCugRowStatus=mscRsaDnaCugRowStatus, serverAccessRsaMIB=serverAccessRsaMIB, mscRsaVncsAccessOperationalState=mscRsaVncsAccessOperationalState, mscRsaConnectionVcIntdTable=mscRsaConnectionVcIntdTable, mscRsaConnectionVcStorageType=mscRsaConnectionVcStorageType, mscRsaVncsAccessUsageState=mscRsaVncsAccessUsageState, mscRsaConnectionVcCallReferenceNumber=mscRsaConnectionVcCallReferenceNumber, mscRsaConnectionVcFrdTable=mscRsaConnectionVcFrdTable, mscRsaConnectionLapfQueueSize=mscRsaConnectionLapfQueueSize, mscRsaConnectionVcSegmentsRx=mscRsaConnectionVcSegmentsRx, mscRsaConnection=mscRsaConnection, mscRsaConnectionVcDiagnosticCode=mscRsaConnectionVcDiagnosticCode, mscRsaVncsAccessIndex=mscRsaVncsAccessIndex, mscRsaConnectionVcRcosFromNetwork=mscRsaConnectionVcRcosFromNetwork, mscRsaDnaCugComponentName=mscRsaDnaCugComponentName, mscRsaConnectionVcCalledDna=mscRsaConnectionVcCalledDna, mscRsaStorageType=mscRsaStorageType, mscRsaConnectionLapfIFramesRxDiscarded=mscRsaConnectionLapfIFramesRxDiscarded, mscRsaDnaCugPreferential=mscRsaDnaCugPreferential, mscRsaConnectionLapfIFramesTxDiscarded=mscRsaConnectionLapfIFramesTxDiscarded, mscRsaDnaCugOutCalls=mscRsaDnaCugOutCalls, mscRsaOperationalTable=mscRsaOperationalTable, mscRsaDnaStorageType=mscRsaDnaStorageType, mscRsaConnectionVcState=mscRsaConnectionVcState, mscRsaRowStatusEntry=mscRsaRowStatusEntry, mscRsaConnectionLapfStatusTable=mscRsaConnectionLapfStatusTable, mscRsaOptionsEntry=mscRsaOptionsEntry, mscRsaConnectionVcPathReliability=mscRsaConnectionVcPathReliability, mscRsaConnectionVcPreviousState=mscRsaConnectionVcPreviousState, mscRsaVncsAccessStorageType=mscRsaVncsAccessStorageType, mscRsaConnectionVncsReplies=mscRsaConnectionVncsReplies, mscRsaDnaIncomingOptionsTable=mscRsaDnaIncomingOptionsTable, mscRsaOperationalEntry=mscRsaOperationalEntry, mscRsaConnectionVcFrmCongestedToSubnet=mscRsaConnectionVcFrmCongestedToSubnet, mscRsaConnectionVcEmissionPriorityToNetwork=mscRsaConnectionVcEmissionPriorityToNetwork, mscRsaRsiConnections=mscRsaRsiConnections, mscRsaConnectionVcType=mscRsaConnectionVcType, mscRsaConnectionVcOoSeqByteCntExceeded=mscRsaConnectionVcOoSeqByteCntExceeded, mscRsaConnectionRowStatusEntry=mscRsaConnectionRowStatusEntry, mscRsaVncsAccess=mscRsaVncsAccess, mscRsaDnaCugDnic=mscRsaDnaCugDnic, mscRsaConnectionVcCallingNpi=mscRsaConnectionVcCallingNpi, mscRsaConnectionVcStartTime=mscRsaConnectionVcStartTime, serverAccessRsaGroupCA=serverAccessRsaGroupCA, mscRsaConnectionVcPeakRetryQueueSize=mscRsaConnectionVcPeakRetryQueueSize, mscRsaDnaCugCugOptionsEntry=mscRsaDnaCugCugOptionsEntry, mscRsaConnectionVcRowStatus=mscRsaConnectionVcRowStatus, mscRsaDnaCugIncCalls=mscRsaDnaCugIncCalls, mscRsaConnectionLapfAckTimeouts=mscRsaConnectionLapfAckTimeouts, serverAccessRsaCapabilities=serverAccessRsaCapabilities, mscRsaConnectionVcDmepEntry=mscRsaConnectionVcDmepEntry, mscRsaDnaCug=mscRsaDnaCug, mscRsaComponentName=mscRsaComponentName, mscRsaConnectionStorageType=mscRsaConnectionStorageType, mscRsaConnectionVcPriority=mscRsaConnectionVcPriority, mscRsaConnectionVcDmepTable=mscRsaConnectionVcDmepTable, serverAccessRsaGroup=serverAccessRsaGroup, mscRsaConnectionVcCadTable=mscRsaConnectionVcCadTable, mscRsaConnectionVcAccountingEnd=mscRsaConnectionVcAccountingEnd, mscRsaDnaAddressTable=mscRsaDnaAddressTable, mscRsaConnectionVcOoSeqPktCntExceeded=mscRsaConnectionVcOoSeqPktCntExceeded, mscRsaConnectionVcRowStatusEntry=mscRsaConnectionVcRowStatusEntry, mscRsaConnectionVcDataPath=mscRsaConnectionVcDataPath, mscRsaDnaIndex=mscRsaDnaIndex, mscRsaVncsAccessStateTable=mscRsaVncsAccessStateTable, mscRsaConnectionVcNotDataXferToSubnet=mscRsaConnectionVcNotDataXferToSubnet, mscRsaConnectionCallState=mscRsaConnectionCallState, mscRsaConnectionVcEmissionPriorityFromNetwork=mscRsaConnectionVcEmissionPriorityFromNetwork, mscRsaVncsAccessRequestsQueued=mscRsaVncsAccessRequestsQueued, mscRsaConnectionVcPktRetryTimeouts=mscRsaConnectionVcPktRetryTimeouts, mscRsaDnaCugType=mscRsaDnaCugType, mscRsaDnaNumberingPlanIndicator=mscRsaDnaNumberingPlanIndicator, mscRsaLogicalProcessor=mscRsaLogicalProcessor, mscRsaVncsAccessOperationalTable=mscRsaVncsAccessOperationalTable, mscRsaConnectionLapfIFramesRx=mscRsaConnectionLapfIFramesRx, mscRsaConnectionVcFrdEntry=mscRsaConnectionVcFrdEntry, mscRsaIndex=mscRsaIndex, mscRsaConnectionServerStatsTable=mscRsaConnectionServerStatsTable)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_range_constraint, constraints_union, value_size_constraint, single_value_constraint, constraints_intersection) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueRangeConstraint', 'ConstraintsUnion', 'ValueSizeConstraint', 'SingleValueConstraint', 'ConstraintsIntersection') (storage_type, counter32, integer32, unsigned32, row_status, row_pointer, display_string) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-StandardTextualConventionsMIB', 'StorageType', 'Counter32', 'Integer32', 'Unsigned32', 'RowStatus', 'RowPointer', 'DisplayString') (ascii_string_index, hex, link, ascii_string, non_replicated, digit_string, enterprise_date_and_time) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-TextualConventionsMIB', 'AsciiStringIndex', 'Hex', 'Link', 'AsciiString', 'NonReplicated', 'DigitString', 'EnterpriseDateAndTime') (msc_passport_mi_bs, msc_components) = mibBuilder.importSymbols('Nortel-MsCarrier-MscPassport-UsefulDefinitionsMIB', 'mscPassportMIBs', 'mscComponents') (module_compliance, notification_group) = mibBuilder.importSymbols('SNMPv2-CONF', 'ModuleCompliance', 'NotificationGroup') (counter64, mib_identifier, notification_type, counter32, iso, integer32, unsigned32, ip_address, gauge32, mib_scalar, mib_table, mib_table_row, mib_table_column, time_ticks, bits, module_identity, object_identity) = mibBuilder.importSymbols('SNMPv2-SMI', 'Counter64', 'MibIdentifier', 'NotificationType', 'Counter32', 'iso', 'Integer32', 'Unsigned32', 'IpAddress', 'Gauge32', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'TimeTicks', 'Bits', 'ModuleIdentity', 'ObjectIdentity') (textual_convention, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'TextualConvention', 'DisplayString') server_access_rsa_mib = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116)) msc_rsa = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108)) msc_rsa_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1)) if mibBuilder.loadTexts: mscRsaRowStatusTable.setStatus('mandatory') msc_rsa_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex')) if mibBuilder.loadTexts: mscRsaRowStatusEntry.setStatus('mandatory') msc_rsa_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaRowStatus.setStatus('mandatory') msc_rsa_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaComponentName.setStatus('mandatory') msc_rsa_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaStorageType.setStatus('mandatory') msc_rsa_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 1, 1, 10), ascii_string_index().subtype(subtypeSpec=value_size_constraint(1, 8))) if mibBuilder.loadTexts: mscRsaIndex.setStatus('mandatory') msc_rsa_options_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10)) if mibBuilder.loadTexts: mscRsaOptionsTable.setStatus('mandatory') msc_rsa_options_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex')) if mibBuilder.loadTexts: mscRsaOptionsEntry.setStatus('mandatory') msc_rsa_logical_processor = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 10, 1, 2), link()).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaLogicalProcessor.setStatus('mandatory') msc_rsa_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11)) if mibBuilder.loadTexts: mscRsaStateTable.setStatus('mandatory') msc_rsa_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex')) if mibBuilder.loadTexts: mscRsaStateEntry.setStatus('mandatory') msc_rsa_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaAdminState.setStatus('mandatory') msc_rsa_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaOperationalState.setStatus('mandatory') msc_rsa_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 11, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaUsageState.setStatus('mandatory') msc_rsa_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12)) if mibBuilder.loadTexts: mscRsaOperationalTable.setStatus('mandatory') msc_rsa_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex')) if mibBuilder.loadTexts: mscRsaOperationalEntry.setStatus('mandatory') msc_rsa_max_rsi_connections = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1, 2), integer32().subtype(subtypeSpec=value_range_constraint(1000, 1000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaMaxRsiConnections.setStatus('mandatory') msc_rsa_rsi_connections = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 12, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 1000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaRsiConnections.setStatus('mandatory') msc_rsa_dna = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2)) msc_rsa_dna_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1)) if mibBuilder.loadTexts: mscRsaDnaRowStatusTable.setStatus('mandatory') msc_rsa_dna_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex')) if mibBuilder.loadTexts: mscRsaDnaRowStatusEntry.setStatus('mandatory') msc_rsa_dna_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaRowStatus.setStatus('mandatory') msc_rsa_dna_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaComponentName.setStatus('mandatory') msc_rsa_dna_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaStorageType.setStatus('mandatory') msc_rsa_dna_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: mscRsaDnaIndex.setStatus('mandatory') msc_rsa_dna_address_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10)) if mibBuilder.loadTexts: mscRsaDnaAddressTable.setStatus('mandatory') msc_rsa_dna_address_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex')) if mibBuilder.loadTexts: mscRsaDnaAddressEntry.setStatus('mandatory') msc_rsa_dna_numbering_plan_indicator = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('x121', 0), ('e164', 1))).clone('x121')).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaNumberingPlanIndicator.setStatus('mandatory') msc_rsa_dna_data_network_address = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 10, 1, 2), digit_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaDataNetworkAddress.setStatus('mandatory') msc_rsa_dna_outgoing_options_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11)) if mibBuilder.loadTexts: mscRsaDnaOutgoingOptionsTable.setStatus('mandatory') msc_rsa_dna_outgoing_options_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex')) if mibBuilder.loadTexts: mscRsaDnaOutgoingOptionsEntry.setStatus('mandatory') msc_rsa_dna_out_calls = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disallowed', 0), ('allowed', 1))).clone('disallowed')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaOutCalls.setStatus('mandatory') msc_rsa_dna_incoming_options_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12)) if mibBuilder.loadTexts: mscRsaDnaIncomingOptionsTable.setStatus('mandatory') msc_rsa_dna_incoming_options_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex')) if mibBuilder.loadTexts: mscRsaDnaIncomingOptionsEntry.setStatus('mandatory') msc_rsa_dna_inc_calls = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disallowed', 0), ('allowed', 1))).clone('allowed')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaIncCalls.setStatus('mandatory') msc_rsa_dna_inc_access = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 12, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disallowed', 0), ('allowed', 1))).clone('disallowed')).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaIncAccess.setStatus('mandatory') msc_rsa_dna_cug = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2)) msc_rsa_dna_cug_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1)) if mibBuilder.loadTexts: mscRsaDnaCugRowStatusTable.setStatus('mandatory') msc_rsa_dna_cug_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaCugIndex')) if mibBuilder.loadTexts: mscRsaDnaCugRowStatusEntry.setStatus('mandatory') msc_rsa_dna_cug_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaCugRowStatus.setStatus('mandatory') msc_rsa_dna_cug_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugComponentName.setStatus('mandatory') msc_rsa_dna_cug_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugStorageType.setStatus('mandatory') msc_rsa_dna_cug_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(0, 255))) if mibBuilder.loadTexts: mscRsaDnaCugIndex.setStatus('mandatory') msc_rsa_dna_cug_cug_options_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10)) if mibBuilder.loadTexts: mscRsaDnaCugCugOptionsTable.setStatus('mandatory') msc_rsa_dna_cug_cug_options_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaDnaCugIndex')) if mibBuilder.loadTexts: mscRsaDnaCugCugOptionsEntry.setStatus('mandatory') msc_rsa_dna_cug_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('national', 0), ('international', 1))).clone('national')).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaCugType.setStatus('mandatory') msc_rsa_dna_cug_dnic = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 2), digit_string().subtype(subtypeSpec=value_size_constraint(4, 4)).setFixedLength(4).clone(hexValue='30303030')).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaCugDnic.setStatus('mandatory') msc_rsa_dna_cug_interlock_code = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaDnaCugInterlockCode.setStatus('mandatory') msc_rsa_dna_cug_preferential = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 4), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('no')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugPreferential.setStatus('mandatory') msc_rsa_dna_cug_out_calls = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 5), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disallowed', 0), ('allowed', 1))).clone('disallowed')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugOutCalls.setStatus('mandatory') msc_rsa_dna_cug_inc_calls = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disallowed', 0), ('allowed', 1))).clone('allowed')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugIncCalls.setStatus('mandatory') msc_rsa_dna_cug_privileged = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 2, 2, 10, 1, 7), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1))).clone('yes')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaDnaCugPrivileged.setStatus('mandatory') msc_rsa_vncs_access = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3)) msc_rsa_vncs_access_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1)) if mibBuilder.loadTexts: mscRsaVncsAccessRowStatusTable.setStatus('mandatory') msc_rsa_vncs_access_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaVncsAccessIndex')) if mibBuilder.loadTexts: mscRsaVncsAccessRowStatusEntry.setStatus('mandatory') msc_rsa_vncs_access_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 1), row_status()).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaVncsAccessRowStatus.setStatus('mandatory') msc_rsa_vncs_access_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessComponentName.setStatus('mandatory') msc_rsa_vncs_access_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessStorageType.setStatus('mandatory') msc_rsa_vncs_access_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: mscRsaVncsAccessIndex.setStatus('mandatory') msc_rsa_vncs_access_provisioned_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10)) if mibBuilder.loadTexts: mscRsaVncsAccessProvisionedTable.setStatus('mandatory') msc_rsa_vncs_access_provisioned_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaVncsAccessIndex')) if mibBuilder.loadTexts: mscRsaVncsAccessProvisionedEntry.setStatus('mandatory') msc_rsa_vncs_access_time_to_live = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 10, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 5)).clone(2)).setMaxAccess('readwrite') if mibBuilder.loadTexts: mscRsaVncsAccessTimeToLive.setStatus('mandatory') msc_rsa_vncs_access_state_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11)) if mibBuilder.loadTexts: mscRsaVncsAccessStateTable.setStatus('mandatory') msc_rsa_vncs_access_state_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaVncsAccessIndex')) if mibBuilder.loadTexts: mscRsaVncsAccessStateEntry.setStatus('mandatory') msc_rsa_vncs_access_admin_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('locked', 0), ('unlocked', 1), ('shuttingDown', 2))).clone('unlocked')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessAdminState.setStatus('mandatory') msc_rsa_vncs_access_operational_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('disabled', 0), ('enabled', 1))).clone('disabled')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessOperationalState.setStatus('mandatory') msc_rsa_vncs_access_usage_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 11, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('idle', 0), ('active', 1), ('busy', 2))).clone('idle')).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessUsageState.setStatus('mandatory') msc_rsa_vncs_access_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12)) if mibBuilder.loadTexts: mscRsaVncsAccessOperationalTable.setStatus('mandatory') msc_rsa_vncs_access_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaVncsAccessIndex')) if mibBuilder.loadTexts: mscRsaVncsAccessOperationalEntry.setStatus('mandatory') msc_rsa_vncs_access_requests_sent = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessRequestsSent.setStatus('mandatory') msc_rsa_vncs_access_replies_received = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessRepliesReceived.setStatus('mandatory') msc_rsa_vncs_access_requests_queued = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 3), integer32().subtype(subtypeSpec=value_range_constraint(0, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessRequestsQueued.setStatus('mandatory') msc_rsa_vncs_access_requests_discarded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 3, 12, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaVncsAccessRequestsDiscarded.setStatus('mandatory') msc_rsa_connection = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4)) msc_rsa_connection_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1)) if mibBuilder.loadTexts: mscRsaConnectionRowStatusTable.setStatus('mandatory') msc_rsa_connection_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex')) if mibBuilder.loadTexts: mscRsaConnectionRowStatusEntry.setStatus('mandatory') msc_rsa_connection_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionRowStatus.setStatus('mandatory') msc_rsa_connection_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionComponentName.setStatus('mandatory') msc_rsa_connection_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionStorageType.setStatus('mandatory') msc_rsa_connection_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 1, 1, 10), integer32().subtype(subtypeSpec=value_range_constraint(1, 1000))) if mibBuilder.loadTexts: mscRsaConnectionIndex.setStatus('mandatory') msc_rsa_connection_operational_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10)) if mibBuilder.loadTexts: mscRsaConnectionOperationalTable.setStatus('mandatory') msc_rsa_connection_operational_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex')) if mibBuilder.loadTexts: mscRsaConnectionOperationalEntry.setStatus('mandatory') msc_rsa_connection_remote_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1, 1), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionRemoteName.setStatus('mandatory') msc_rsa_connection_call_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=named_values(('initializing', 0), ('creatingVc', 1), ('calling', 2), ('acceptingCall', 3), ('registeringFmo', 4), ('establishingLapf', 5), ('dataTransfer', 6), ('clearingCall', 7), ('terminating', 8), ('terminatingVc', 9), ('terminated', 10)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionCallState.setStatus('mandatory') msc_rsa_connection_server_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11)) if mibBuilder.loadTexts: mscRsaConnectionServerStatsTable.setStatus('mandatory') msc_rsa_connection_server_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex')) if mibBuilder.loadTexts: mscRsaConnectionServerStatsEntry.setStatus('mandatory') msc_rsa_connection_vncs_requests = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVncsRequests.setStatus('mandatory') msc_rsa_connection_vncs_replies = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 11, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVncsReplies.setStatus('mandatory') msc_rsa_connection_lapf_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12)) if mibBuilder.loadTexts: mscRsaConnectionLapfStatusTable.setStatus('mandatory') msc_rsa_connection_lapf_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex')) if mibBuilder.loadTexts: mscRsaConnectionLapfStatusEntry.setStatus('mandatory') msc_rsa_connection_lapf_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 4, 5, 7))).clone(namedValues=named_values(('disconnected', 1), ('linkSetup', 2), ('disconnectRequest', 4), ('informationTransfer', 5), ('waitingAck', 7)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfState.setStatus('mandatory') msc_rsa_connection_lapf_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 12, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfQueueSize.setStatus('mandatory') msc_rsa_connection_lapf_stats_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13)) if mibBuilder.loadTexts: mscRsaConnectionLapfStatsTable.setStatus('mandatory') msc_rsa_connection_lapf_stats_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex')) if mibBuilder.loadTexts: mscRsaConnectionLapfStatsEntry.setStatus('mandatory') msc_rsa_connection_lapf_state_changes = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 1), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfStateChanges.setStatus('mandatory') msc_rsa_connection_lapf_remote_busy = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 2), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfRemoteBusy.setStatus('mandatory') msc_rsa_connection_lapf_ack_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 3), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfAckTimeouts.setStatus('mandatory') msc_rsa_connection_lapf_reject_frames_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 4), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfRejectFramesRx.setStatus('mandatory') msc_rsa_connection_lapf_i_frames_tx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 5), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesTx.setStatus('mandatory') msc_rsa_connection_lapf_i_frames_tx_discarded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 6), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesTxDiscarded.setStatus('mandatory') msc_rsa_connection_lapf_i_frames_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 7), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesRx.setStatus('mandatory') msc_rsa_connection_lapf_i_frames_rx_discarded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 13, 1, 8), counter32()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionLapfIFramesRxDiscarded.setStatus('mandatory') msc_rsa_connection_vc = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2)) msc_rsa_connection_vc_row_status_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1)) if mibBuilder.loadTexts: mscRsaConnectionVcRowStatusTable.setStatus('mandatory') msc_rsa_connection_vc_row_status_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcIndex')) if mibBuilder.loadTexts: mscRsaConnectionVcRowStatusEntry.setStatus('mandatory') msc_rsa_connection_vc_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 1), row_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcRowStatus.setStatus('mandatory') msc_rsa_connection_vc_component_name = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 2), display_string()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcComponentName.setStatus('mandatory') msc_rsa_connection_vc_storage_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 4), storage_type()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcStorageType.setStatus('mandatory') msc_rsa_connection_vc_index = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 1, 1, 10), non_replicated()) if mibBuilder.loadTexts: mscRsaConnectionVcIndex.setStatus('mandatory') msc_rsa_connection_vc_cad_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10)) if mibBuilder.loadTexts: mscRsaConnectionVcCadTable.setStatus('mandatory') msc_rsa_connection_vc_cad_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcIndex')) if mibBuilder.loadTexts: mscRsaConnectionVcCadEntry.setStatus('mandatory') msc_rsa_connection_vc_type = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 1), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3))).clone(namedValues=named_values(('svc', 0), ('pvc', 1), ('spvc', 2), ('frf10spvc', 3)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcType.setStatus('mandatory') msc_rsa_connection_vc_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('creating', 0), ('readyP1', 1), ('dteWaitingP2', 2), ('dceWaitingP3', 3), ('dataTransferP4', 4), ('unsupportedP5', 5), ('dteClearRequestP6', 6), ('dceClearIndicationP7', 7), ('termination', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcState.setStatus('mandatory') msc_rsa_connection_vc_previous_state = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 3), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=named_values(('creating', 0), ('readyP1', 1), ('dteWaitingP2', 2), ('dceWaitingP3', 3), ('dataTransferP4', 4), ('unsupportedP5', 5), ('dteClearRequestP6', 6), ('dceClearIndicationP7', 7), ('termination', 8)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPreviousState.setStatus('mandatory') msc_rsa_connection_vc_diagnostic_code = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcDiagnosticCode.setStatus('mandatory') msc_rsa_connection_vc_previous_diagnostic_code = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPreviousDiagnosticCode.setStatus('mandatory') msc_rsa_connection_vc_called_npi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 6), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('x121', 0), ('e164', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCalledNpi.setStatus('mandatory') msc_rsa_connection_vc_called_dna = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 7), digit_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCalledDna.setStatus('mandatory') msc_rsa_connection_vc_called_lcn = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCalledLcn.setStatus('mandatory') msc_rsa_connection_vc_calling_npi = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 9), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('x121', 0), ('e164', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCallingNpi.setStatus('mandatory') msc_rsa_connection_vc_calling_dna = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 10), digit_string().subtype(subtypeSpec=value_size_constraint(1, 15))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCallingDna.setStatus('mandatory') msc_rsa_connection_vc_calling_lcn = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(1, 65535))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCallingLcn.setStatus('mandatory') msc_rsa_connection_vc_accounting_enabled = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 12), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('yes', 0), ('no', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcAccountingEnabled.setStatus('mandatory') msc_rsa_connection_vc_fast_select_call = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 13), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('no', 0), ('yes', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcFastSelectCall.setStatus('mandatory') msc_rsa_connection_vc_path_reliability = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 19), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('high', 0), ('normal', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPathReliability.setStatus('mandatory') msc_rsa_connection_vc_accounting_end = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 20), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('callingEnd', 0), ('calledEnd', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcAccountingEnd.setStatus('mandatory') msc_rsa_connection_vc_priority = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 21), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1))).clone(namedValues=named_values(('normal', 0), ('high', 1)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPriority.setStatus('mandatory') msc_rsa_connection_vc_segment_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 22), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcSegmentSize.setStatus('mandatory') msc_rsa_connection_vc_max_subnet_pkt_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 27), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4096))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcMaxSubnetPktSize.setStatus('mandatory') msc_rsa_connection_vc_rcos_to_network = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 28), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('throughput', 0), ('delay', 1), ('multimedia', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcRcosToNetwork.setStatus('mandatory') msc_rsa_connection_vc_rcos_from_network = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 29), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('throughput', 0), ('delay', 1), ('multimedia', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcRcosFromNetwork.setStatus('mandatory') msc_rsa_connection_vc_emission_priority_to_network = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 30), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('normal', 0), ('high', 1), ('interrupting', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcEmissionPriorityToNetwork.setStatus('mandatory') msc_rsa_connection_vc_emission_priority_from_network = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 31), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(0, 1, 2))).clone(namedValues=named_values(('normal', 0), ('high', 1), ('interrupting', 2)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcEmissionPriorityFromNetwork.setStatus('mandatory') msc_rsa_connection_vc_data_path = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 10, 1, 32), ascii_string().subtype(subtypeSpec=value_size_constraint(0, 32))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcDataPath.setStatus('mandatory') msc_rsa_connection_vc_intd_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11)) if mibBuilder.loadTexts: mscRsaConnectionVcIntdTable.setStatus('mandatory') msc_rsa_connection_vc_intd_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcIndex')) if mibBuilder.loadTexts: mscRsaConnectionVcIntdEntry.setStatus('mandatory') msc_rsa_connection_vc_call_reference_number = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 1), hex().subtype(subtypeSpec=value_range_constraint(0, 16777215))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCallReferenceNumber.setStatus('obsolete') msc_rsa_connection_vc_elapsed_time_till_now = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16777215))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcElapsedTimeTillNow.setStatus('mandatory') msc_rsa_connection_vc_segments_rx = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16777215))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcSegmentsRx.setStatus('mandatory') msc_rsa_connection_vc_segments_sent = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 16777215))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcSegmentsSent.setStatus('mandatory') msc_rsa_connection_vc_start_time = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 5), enterprise_date_and_time().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 0), value_size_constraint(19, 19)))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcStartTime.setStatus('mandatory') msc_rsa_connection_vc_call_reference_number_decimal = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 11, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 4294967295))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCallReferenceNumberDecimal.setStatus('mandatory') msc_rsa_connection_vc_frd_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12)) if mibBuilder.loadTexts: mscRsaConnectionVcFrdTable.setStatus('mandatory') msc_rsa_connection_vc_frd_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcIndex')) if mibBuilder.loadTexts: mscRsaConnectionVcFrdEntry.setStatus('mandatory') msc_rsa_connection_vc_frm_congested_to_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 2), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcFrmCongestedToSubnet.setStatus('mandatory') msc_rsa_connection_vc_cannot_forward_to_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 3), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCannotForwardToSubnet.setStatus('mandatory') msc_rsa_connection_vc_not_data_xfer_to_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 4), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcNotDataXferToSubnet.setStatus('mandatory') msc_rsa_connection_vc_out_of_range_frm_from_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 5), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcOutOfRangeFrmFromSubnet.setStatus('mandatory') msc_rsa_connection_vc_comb_errors_from_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 6), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcCombErrorsFromSubnet.setStatus('mandatory') msc_rsa_connection_vc_duplicates_from_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 7), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcDuplicatesFromSubnet.setStatus('mandatory') msc_rsa_connection_vc_not_data_xfer_from_subnet = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 8), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcNotDataXferFromSubnet.setStatus('mandatory') msc_rsa_connection_vc_frm_loss_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 9), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcFrmLossTimeouts.setStatus('mandatory') msc_rsa_connection_vc_oo_seq_byte_cnt_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 10), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcOoSeqByteCntExceeded.setStatus('mandatory') msc_rsa_connection_vc_peak_oo_seq_pkt_count = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 11), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqPktCount.setStatus('mandatory') msc_rsa_connection_vc_peak_oo_seq_frm_forwarded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 12), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqFrmForwarded.setStatus('mandatory') msc_rsa_connection_vc_send_sequence_number = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 13), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcSendSequenceNumber.setStatus('mandatory') msc_rsa_connection_vc_pkt_retry_timeouts = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 15), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPktRetryTimeouts.setStatus('mandatory') msc_rsa_connection_vc_peak_retry_queue_size = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 16), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPeakRetryQueueSize.setStatus('mandatory') msc_rsa_connection_vc_subnet_recoveries = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 17), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 5000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcSubnetRecoveries.setStatus('mandatory') msc_rsa_connection_vc_oo_seq_pkt_cnt_exceeded = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 19), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 255))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcOoSeqPktCntExceeded.setStatus('mandatory') msc_rsa_connection_vc_peak_oo_seq_byte_count = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 12, 1, 20), unsigned32().subtype(subtypeSpec=value_range_constraint(0, 50000))).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcPeakOoSeqByteCount.setStatus('mandatory') msc_rsa_connection_vc_dmep_table = mib_table((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417)) if mibBuilder.loadTexts: mscRsaConnectionVcDmepTable.setStatus('mandatory') msc_rsa_connection_vc_dmep_entry = mib_table_row((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417, 1)).setIndexNames((0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcIndex'), (0, 'Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', 'mscRsaConnectionVcDmepValue')) if mibBuilder.loadTexts: mscRsaConnectionVcDmepEntry.setStatus('mandatory') msc_rsa_connection_vc_dmep_value = mib_table_column((1, 3, 6, 1, 4, 1, 562, 36, 2, 1, 108, 4, 2, 417, 1, 1), row_pointer()).setMaxAccess('readonly') if mibBuilder.loadTexts: mscRsaConnectionVcDmepValue.setStatus('mandatory') server_access_rsa_group = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1)) server_access_rsa_group_ca = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1)) server_access_rsa_group_ca02 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1, 3)) server_access_rsa_group_ca02_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 1, 1, 3, 2)) server_access_rsa_capabilities = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3)) server_access_rsa_capabilities_ca = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1)) server_access_rsa_capabilities_ca02 = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1, 3)) server_access_rsa_capabilities_ca02_a = mib_identifier((1, 3, 6, 1, 4, 1, 562, 36, 2, 2, 116, 3, 1, 3, 2)) mibBuilder.exportSymbols('Nortel-MsCarrier-MscPassport-ServerAccessRsaMIB', mscRsaConnectionRowStatus=mscRsaConnectionRowStatus, mscRsaDnaRowStatus=mscRsaDnaRowStatus, mscRsaConnectionVcMaxSubnetPktSize=mscRsaConnectionVcMaxSubnetPktSize, mscRsaConnectionVcCombErrorsFromSubnet=mscRsaConnectionVcCombErrorsFromSubnet, mscRsaConnectionVcCannotForwardToSubnet=mscRsaConnectionVcCannotForwardToSubnet, mscRsaDnaComponentName=mscRsaDnaComponentName, mscRsaRowStatusTable=mscRsaRowStatusTable, mscRsaStateEntry=mscRsaStateEntry, mscRsaVncsAccessRowStatus=mscRsaVncsAccessRowStatus, mscRsaDnaCugInterlockCode=mscRsaDnaCugInterlockCode, mscRsaConnectionVcComponentName=mscRsaConnectionVcComponentName, mscRsaConnectionVcCalledNpi=mscRsaConnectionVcCalledNpi, mscRsaMaxRsiConnections=mscRsaMaxRsiConnections, serverAccessRsaCapabilitiesCA02=serverAccessRsaCapabilitiesCA02, mscRsaDnaCugPrivileged=mscRsaDnaCugPrivileged, mscRsaConnectionVcPeakOoSeqFrmForwarded=mscRsaConnectionVcPeakOoSeqFrmForwarded, mscRsaConnectionServerStatsEntry=mscRsaConnectionServerStatsEntry, mscRsaConnectionLapfStatsTable=mscRsaConnectionLapfStatsTable, mscRsaConnectionLapfRejectFramesRx=mscRsaConnectionLapfRejectFramesRx, mscRsaVncsAccessComponentName=mscRsaVncsAccessComponentName, mscRsaDnaIncCalls=mscRsaDnaIncCalls, mscRsaDnaCugRowStatusEntry=mscRsaDnaCugRowStatusEntry, mscRsaConnectionVc=mscRsaConnectionVc, mscRsaConnectionVcDuplicatesFromSubnet=mscRsaConnectionVcDuplicatesFromSubnet, mscRsaDnaRowStatusEntry=mscRsaDnaRowStatusEntry, mscRsaConnectionVcCadEntry=mscRsaConnectionVcCadEntry, mscRsaVncsAccessRepliesReceived=mscRsaVncsAccessRepliesReceived, mscRsaDnaAddressEntry=mscRsaDnaAddressEntry, mscRsaConnectionVcIntdEntry=mscRsaConnectionVcIntdEntry, mscRsaConnectionRemoteName=mscRsaConnectionRemoteName, mscRsaOperationalState=mscRsaOperationalState, mscRsaRowStatus=mscRsaRowStatus, mscRsaConnectionOperationalTable=mscRsaConnectionOperationalTable, mscRsaDnaRowStatusTable=mscRsaDnaRowStatusTable, mscRsaVncsAccessStateEntry=mscRsaVncsAccessStateEntry, mscRsaConnectionVcPeakOoSeqPktCount=mscRsaConnectionVcPeakOoSeqPktCount, mscRsaConnectionVcCalledLcn=mscRsaConnectionVcCalledLcn, mscRsaVncsAccessRowStatusTable=mscRsaVncsAccessRowStatusTable, mscRsaUsageState=mscRsaUsageState, mscRsaConnectionLapfRemoteBusy=mscRsaConnectionLapfRemoteBusy, mscRsaConnectionVcSegmentsSent=mscRsaConnectionVcSegmentsSent, mscRsa=mscRsa, mscRsaStateTable=mscRsaStateTable, mscRsaConnectionVcDmepValue=mscRsaConnectionVcDmepValue, mscRsaDnaOutgoingOptionsEntry=mscRsaDnaOutgoingOptionsEntry, mscRsaVncsAccessOperationalEntry=mscRsaVncsAccessOperationalEntry, mscRsaConnectionVcCallReferenceNumberDecimal=mscRsaConnectionVcCallReferenceNumberDecimal, mscRsaConnectionLapfStatsEntry=mscRsaConnectionLapfStatsEntry, mscRsaConnectionVcSegmentSize=mscRsaConnectionVcSegmentSize, mscRsaConnectionVcNotDataXferFromSubnet=mscRsaConnectionVcNotDataXferFromSubnet, mscRsaAdminState=mscRsaAdminState, mscRsaVncsAccessTimeToLive=mscRsaVncsAccessTimeToLive, mscRsaVncsAccessRequestsSent=mscRsaVncsAccessRequestsSent, mscRsaConnectionLapfIFramesTx=mscRsaConnectionLapfIFramesTx, serverAccessRsaGroupCA02A=serverAccessRsaGroupCA02A, mscRsaVncsAccessRowStatusEntry=mscRsaVncsAccessRowStatusEntry, mscRsaConnectionVcFastSelectCall=mscRsaConnectionVcFastSelectCall, mscRsaVncsAccessRequestsDiscarded=mscRsaVncsAccessRequestsDiscarded, mscRsaDnaCugStorageType=mscRsaDnaCugStorageType, mscRsaConnectionLapfStateChanges=mscRsaConnectionLapfStateChanges, mscRsaConnectionVcPeakOoSeqByteCount=mscRsaConnectionVcPeakOoSeqByteCount, mscRsaConnectionLapfStatusEntry=mscRsaConnectionLapfStatusEntry, mscRsaConnectionLapfState=mscRsaConnectionLapfState, mscRsaConnectionVcAccountingEnabled=mscRsaConnectionVcAccountingEnabled, serverAccessRsaGroupCA02=serverAccessRsaGroupCA02, mscRsaDnaCugCugOptionsTable=mscRsaDnaCugCugOptionsTable, mscRsaConnectionVcSendSequenceNumber=mscRsaConnectionVcSendSequenceNumber, mscRsaDna=mscRsaDna, mscRsaConnectionVncsRequests=mscRsaConnectionVncsRequests, mscRsaConnectionVcRowStatusTable=mscRsaConnectionVcRowStatusTable, mscRsaConnectionVcRcosToNetwork=mscRsaConnectionVcRcosToNetwork, mscRsaConnectionVcElapsedTimeTillNow=mscRsaConnectionVcElapsedTimeTillNow, mscRsaVncsAccessProvisionedEntry=mscRsaVncsAccessProvisionedEntry, mscRsaDnaCugIndex=mscRsaDnaCugIndex, mscRsaConnectionIndex=mscRsaConnectionIndex, mscRsaDnaIncomingOptionsEntry=mscRsaDnaIncomingOptionsEntry, mscRsaDnaIncAccess=mscRsaDnaIncAccess, mscRsaConnectionOperationalEntry=mscRsaConnectionOperationalEntry, mscRsaConnectionVcCallingDna=mscRsaConnectionVcCallingDna, mscRsaVncsAccessAdminState=mscRsaVncsAccessAdminState, mscRsaConnectionRowStatusTable=mscRsaConnectionRowStatusTable, serverAccessRsaCapabilitiesCA02A=serverAccessRsaCapabilitiesCA02A, mscRsaDnaCugRowStatusTable=mscRsaDnaCugRowStatusTable, mscRsaConnectionVcFrmLossTimeouts=mscRsaConnectionVcFrmLossTimeouts, mscRsaConnectionVcPreviousDiagnosticCode=mscRsaConnectionVcPreviousDiagnosticCode, mscRsaConnectionVcOutOfRangeFrmFromSubnet=mscRsaConnectionVcOutOfRangeFrmFromSubnet, mscRsaConnectionVcIndex=mscRsaConnectionVcIndex, mscRsaOptionsTable=mscRsaOptionsTable, mscRsaConnectionComponentName=mscRsaConnectionComponentName, mscRsaConnectionVcSubnetRecoveries=mscRsaConnectionVcSubnetRecoveries, mscRsaDnaOutCalls=mscRsaDnaOutCalls, mscRsaVncsAccessProvisionedTable=mscRsaVncsAccessProvisionedTable, mscRsaDnaDataNetworkAddress=mscRsaDnaDataNetworkAddress, mscRsaDnaOutgoingOptionsTable=mscRsaDnaOutgoingOptionsTable, serverAccessRsaCapabilitiesCA=serverAccessRsaCapabilitiesCA, mscRsaConnectionVcCallingLcn=mscRsaConnectionVcCallingLcn, mscRsaDnaCugRowStatus=mscRsaDnaCugRowStatus, serverAccessRsaMIB=serverAccessRsaMIB, mscRsaVncsAccessOperationalState=mscRsaVncsAccessOperationalState, mscRsaConnectionVcIntdTable=mscRsaConnectionVcIntdTable, mscRsaConnectionVcStorageType=mscRsaConnectionVcStorageType, mscRsaVncsAccessUsageState=mscRsaVncsAccessUsageState, mscRsaConnectionVcCallReferenceNumber=mscRsaConnectionVcCallReferenceNumber, mscRsaConnectionVcFrdTable=mscRsaConnectionVcFrdTable, mscRsaConnectionLapfQueueSize=mscRsaConnectionLapfQueueSize, mscRsaConnectionVcSegmentsRx=mscRsaConnectionVcSegmentsRx, mscRsaConnection=mscRsaConnection, mscRsaConnectionVcDiagnosticCode=mscRsaConnectionVcDiagnosticCode, mscRsaVncsAccessIndex=mscRsaVncsAccessIndex, mscRsaConnectionVcRcosFromNetwork=mscRsaConnectionVcRcosFromNetwork, mscRsaDnaCugComponentName=mscRsaDnaCugComponentName, mscRsaConnectionVcCalledDna=mscRsaConnectionVcCalledDna, mscRsaStorageType=mscRsaStorageType, mscRsaConnectionLapfIFramesRxDiscarded=mscRsaConnectionLapfIFramesRxDiscarded, mscRsaDnaCugPreferential=mscRsaDnaCugPreferential, mscRsaConnectionLapfIFramesTxDiscarded=mscRsaConnectionLapfIFramesTxDiscarded, mscRsaDnaCugOutCalls=mscRsaDnaCugOutCalls, mscRsaOperationalTable=mscRsaOperationalTable, mscRsaDnaStorageType=mscRsaDnaStorageType, mscRsaConnectionVcState=mscRsaConnectionVcState, mscRsaRowStatusEntry=mscRsaRowStatusEntry, mscRsaConnectionLapfStatusTable=mscRsaConnectionLapfStatusTable, mscRsaOptionsEntry=mscRsaOptionsEntry, mscRsaConnectionVcPathReliability=mscRsaConnectionVcPathReliability, mscRsaConnectionVcPreviousState=mscRsaConnectionVcPreviousState, mscRsaVncsAccessStorageType=mscRsaVncsAccessStorageType, mscRsaConnectionVncsReplies=mscRsaConnectionVncsReplies, mscRsaDnaIncomingOptionsTable=mscRsaDnaIncomingOptionsTable, mscRsaOperationalEntry=mscRsaOperationalEntry, mscRsaConnectionVcFrmCongestedToSubnet=mscRsaConnectionVcFrmCongestedToSubnet, mscRsaConnectionVcEmissionPriorityToNetwork=mscRsaConnectionVcEmissionPriorityToNetwork, mscRsaRsiConnections=mscRsaRsiConnections, mscRsaConnectionVcType=mscRsaConnectionVcType, mscRsaConnectionVcOoSeqByteCntExceeded=mscRsaConnectionVcOoSeqByteCntExceeded, mscRsaConnectionRowStatusEntry=mscRsaConnectionRowStatusEntry, mscRsaVncsAccess=mscRsaVncsAccess, mscRsaDnaCugDnic=mscRsaDnaCugDnic, mscRsaConnectionVcCallingNpi=mscRsaConnectionVcCallingNpi, mscRsaConnectionVcStartTime=mscRsaConnectionVcStartTime, serverAccessRsaGroupCA=serverAccessRsaGroupCA, mscRsaConnectionVcPeakRetryQueueSize=mscRsaConnectionVcPeakRetryQueueSize, mscRsaDnaCugCugOptionsEntry=mscRsaDnaCugCugOptionsEntry, mscRsaConnectionVcRowStatus=mscRsaConnectionVcRowStatus, mscRsaDnaCugIncCalls=mscRsaDnaCugIncCalls, mscRsaConnectionLapfAckTimeouts=mscRsaConnectionLapfAckTimeouts, serverAccessRsaCapabilities=serverAccessRsaCapabilities, mscRsaConnectionVcDmepEntry=mscRsaConnectionVcDmepEntry, mscRsaDnaCug=mscRsaDnaCug, mscRsaComponentName=mscRsaComponentName, mscRsaConnectionStorageType=mscRsaConnectionStorageType, mscRsaConnectionVcPriority=mscRsaConnectionVcPriority, mscRsaConnectionVcDmepTable=mscRsaConnectionVcDmepTable, serverAccessRsaGroup=serverAccessRsaGroup, mscRsaConnectionVcCadTable=mscRsaConnectionVcCadTable, mscRsaConnectionVcAccountingEnd=mscRsaConnectionVcAccountingEnd, mscRsaDnaAddressTable=mscRsaDnaAddressTable, mscRsaConnectionVcOoSeqPktCntExceeded=mscRsaConnectionVcOoSeqPktCntExceeded, mscRsaConnectionVcRowStatusEntry=mscRsaConnectionVcRowStatusEntry, mscRsaConnectionVcDataPath=mscRsaConnectionVcDataPath, mscRsaDnaIndex=mscRsaDnaIndex, mscRsaVncsAccessStateTable=mscRsaVncsAccessStateTable, mscRsaConnectionVcNotDataXferToSubnet=mscRsaConnectionVcNotDataXferToSubnet, mscRsaConnectionCallState=mscRsaConnectionCallState, mscRsaConnectionVcEmissionPriorityFromNetwork=mscRsaConnectionVcEmissionPriorityFromNetwork, mscRsaVncsAccessRequestsQueued=mscRsaVncsAccessRequestsQueued, mscRsaConnectionVcPktRetryTimeouts=mscRsaConnectionVcPktRetryTimeouts, mscRsaDnaCugType=mscRsaDnaCugType, mscRsaDnaNumberingPlanIndicator=mscRsaDnaNumberingPlanIndicator, mscRsaLogicalProcessor=mscRsaLogicalProcessor, mscRsaVncsAccessOperationalTable=mscRsaVncsAccessOperationalTable, mscRsaConnectionLapfIFramesRx=mscRsaConnectionLapfIFramesRx, mscRsaConnectionVcFrdEntry=mscRsaConnectionVcFrdEntry, mscRsaIndex=mscRsaIndex, mscRsaConnectionServerStatsTable=mscRsaConnectionServerStatsTable)
class Bar(): def __init__(self, event_instance_history = {}): object.__setattr__(self, '_Bar__dic', event_instance_history) class Foo(): def __init__(self, event_instance_history = {}): object.__setattr__(self, '_Foo__dic', event_instance_history) self.a = 5 self.b = 10 def __setattr__(self, name, value): self[name] = value def __setitem__(self, name, value): self.__dic[name] = value def __delitem__(self, name): del self.__dic[name] def __getitem__(self, name): value = self.__dic[name] if isinstance(value, dict): # recursively view sub-dicts as objects value = Foo(event_instance_history = value) return value def __getattr__(self, name): if name == "__setstate__": raise AttributeError(name) try: return self[name] except KeyError: raise AttributeError(name) def __delattr__(self, name): del self[name] a = Foo(event_instance_history = {}) a.a = 2 a.b = 3 a.c =4 print(a.a, a.b, a.c) a.d = {} a.d["b"] = 4 print("assignment",a.b) print(a.__dict__) b= Foo(event_instance_history = {}) c = Foo(event_instance_history = {}) b.b = 2 b.f = 10 print(a.b, b.b, b.f) print(a.__dict__) print(b.__dict__) print(a.b, b.b, c.b) # class Fit(Foo): # def __init__(self, a, b, event_instance_history = {}): # super().__init__() # object.__setattr__(self, 'a', a) # object.__setattr__(self, 'b', b) # result = self.process(a) # for key, value in result.items(): # object.__setattr__(self, key, value) # def __setattr__(self, name, value): # print(self.b) # Call to a function using self.b # # object.__setattr__(self, name, value) # self[name] = value # def __setitem__(self, name, value): # self.__dic[name] = value # def __delitem__(self, name): # del self.__dic[name] # def __getitem__(self, name): # value = self.__dic[name] # if isinstance(value, dict): # recursively view sub-dicts as objects # value = Foo(event_instance_history = value) # return value # def __getattr__(self, name): # if name == "__setstate__": # raise AttributeError(name) # try: # return self[name] # except KeyError: # raise AttributeError(name) # def __delattr__(self, name): # del self[name]
class Bar: def __init__(self, event_instance_history={}): object.__setattr__(self, '_Bar__dic', event_instance_history) class Foo: def __init__(self, event_instance_history={}): object.__setattr__(self, '_Foo__dic', event_instance_history) self.a = 5 self.b = 10 def __setattr__(self, name, value): self[name] = value def __setitem__(self, name, value): self.__dic[name] = value def __delitem__(self, name): del self.__dic[name] def __getitem__(self, name): value = self.__dic[name] if isinstance(value, dict): value = foo(event_instance_history=value) return value def __getattr__(self, name): if name == '__setstate__': raise attribute_error(name) try: return self[name] except KeyError: raise attribute_error(name) def __delattr__(self, name): del self[name] a = foo(event_instance_history={}) a.a = 2 a.b = 3 a.c = 4 print(a.a, a.b, a.c) a.d = {} a.d['b'] = 4 print('assignment', a.b) print(a.__dict__) b = foo(event_instance_history={}) c = foo(event_instance_history={}) b.b = 2 b.f = 10 print(a.b, b.b, b.f) print(a.__dict__) print(b.__dict__) print(a.b, b.b, c.b)
class Stacks(object): def __init__(self, num_stacks, stack_size): self.num_stacks = num_stacks self.stack_size = stack_size self.stack_pointers = [-1] * self.num_stacks self.stack_array = [None] * self.num_stacks * self.stack_size def abs_index(self, stack_index): return stack_index * self.stack_size + self.stack_pointers[stack_index] def push(self, stack_index, data): if self.stack_pointers[stack_index] == self.stack_size - 1: raise Exception('Stack is full') self.stack_pointers[stack_index] += 1 array_index = self.abs_index(stack_index) self.stack_array[array_index] = data def pop(self, stack_index): if self.stack_pointers[stack_index] == -1: raise Exception('Stack is empty') array_index = self.abs_index(stack_index) data = self.stack_array[array_index] self.stack_array[array_index] = None self.stack_pointers[stack_index] -= 1 return data
class Stacks(object): def __init__(self, num_stacks, stack_size): self.num_stacks = num_stacks self.stack_size = stack_size self.stack_pointers = [-1] * self.num_stacks self.stack_array = [None] * self.num_stacks * self.stack_size def abs_index(self, stack_index): return stack_index * self.stack_size + self.stack_pointers[stack_index] def push(self, stack_index, data): if self.stack_pointers[stack_index] == self.stack_size - 1: raise exception('Stack is full') self.stack_pointers[stack_index] += 1 array_index = self.abs_index(stack_index) self.stack_array[array_index] = data def pop(self, stack_index): if self.stack_pointers[stack_index] == -1: raise exception('Stack is empty') array_index = self.abs_index(stack_index) data = self.stack_array[array_index] self.stack_array[array_index] = None self.stack_pointers[stack_index] -= 1 return data
def fatorial(N): cont = N-1 fat = N if(N == 0): fat = 1 else: while(cont>1): fat = fat * cont cont -=1 return fat N = int(input()) print(fatorial(N))
def fatorial(N): cont = N - 1 fat = N if N == 0: fat = 1 else: while cont > 1: fat = fat * cont cont -= 1 return fat n = int(input()) print(fatorial(N))
def minPathSum(self, grid: [[int]]) -> int: for i in range(len(grid)): for j in range(len(grid[0])): if i == j == 0: continue elif i == 0: grid[i][j] = grid[i][j - 1] + grid[i][j] elif j == 0: grid[i][j] = grid[i - 1][j] + grid[i][j] else: grid[i][j] = min(grid[i - 1][j], grid[i][j - 1]) + grid[i][j] return grid[-1][-1]
def min_path_sum(self, grid: [[int]]) -> int: for i in range(len(grid)): for j in range(len(grid[0])): if i == j == 0: continue elif i == 0: grid[i][j] = grid[i][j - 1] + grid[i][j] elif j == 0: grid[i][j] = grid[i - 1][j] + grid[i][j] else: grid[i][j] = min(grid[i - 1][j], grid[i][j - 1]) + grid[i][j] return grid[-1][-1]
# Ask for a sentence # Print the length of the sentence # Ask for a file name (.txt) # Write the sentence to the file # Run the program from your command line sentence = input("Enter a sentence: ") sentence_length = len(sentence) print(sentence_length) file_name = input("Enter a file name: " ) file_name = f"{file_name}.txt" with open(file_name, "w") as f: f.write(sentence) f.close() print(f"You've written {sentence_length} characters to {file_name}")
sentence = input('Enter a sentence: ') sentence_length = len(sentence) print(sentence_length) file_name = input('Enter a file name: ') file_name = f'{file_name}.txt' with open(file_name, 'w') as f: f.write(sentence) f.close() print(f"You've written {sentence_length} characters to {file_name}")
obj_dict = dict( {'a':{'b':{'c':'d'}}}) keys_str = input("Enter the key for which value to be fetched : (use '/' as delemeter ) \n") keys = keys_str.split("/") # ['a', 'b', 'c'] val = obj_dict isFound = True for key in keys: val = val.get(key, None) if val == None: isFound = False break if isFound == True and val != None: print(val)
obj_dict = dict({'a': {'b': {'c': 'd'}}}) keys_str = input("Enter the key for which value to be fetched : (use '/' as delemeter ) \n") keys = keys_str.split('/') val = obj_dict is_found = True for key in keys: val = val.get(key, None) if val == None: is_found = False break if isFound == True and val != None: print(val)
# start by creating lists for the quadrants. we'll learn a better way to do this next lesson. nw_addresses = [] ne_addresses = [] sw_addresses = [] se_addresses = [] no_quadrant = [] for entry in range(3): # do this three times: address = raw_input("What is your DC address? ") # get the address from the user address = address.split(" ") # split address into a list based on the spaces if 'NW' in address: nw_addresses.append(' '.join(address)) # if 'NW' appears in address, add the address (joined back as a string) to the proper list elif 'NE' in address: ne_addresses.append(' '.join(address)) elif 'SW' in address: sw_addresses.append(' '.join(address)) elif 'SE' in address: se_addresses.append(' '.join(address)) else: # In all other instances no_quadrant.append(' '.join(address)) print("NW addresses include: {0}".format(nw_addresses)) print("NE addresses include: {0}".format(ne_addresses)) print("SW addresses include: {0}".format(sw_addresses)) print("SE addresses include: {0}".format(se_addresses)) print("Addresses without a quadrant include: {0}".format(no_quadrant)) # Things to think about: # 1) Which list would 1500 CORNWALL ST be added to? Why is that? # 2) In other words, how does the 'in' operator work when you use it on a string versus on a list? # 3) Thinking about it another way, if you commented out line 12 and ran that address through, you'd get a different result.
nw_addresses = [] ne_addresses = [] sw_addresses = [] se_addresses = [] no_quadrant = [] for entry in range(3): address = raw_input('What is your DC address? ') address = address.split(' ') if 'NW' in address: nw_addresses.append(' '.join(address)) elif 'NE' in address: ne_addresses.append(' '.join(address)) elif 'SW' in address: sw_addresses.append(' '.join(address)) elif 'SE' in address: se_addresses.append(' '.join(address)) else: no_quadrant.append(' '.join(address)) print('NW addresses include: {0}'.format(nw_addresses)) print('NE addresses include: {0}'.format(ne_addresses)) print('SW addresses include: {0}'.format(sw_addresses)) print('SE addresses include: {0}'.format(se_addresses)) print('Addresses without a quadrant include: {0}'.format(no_quadrant))
BASE = 2**30 class BigUInt: def __init__(self, digits=[]): for digit in digits: if digit >= BASE: raise ValueError("digit is too large!") self.digits = digits def __int__(self): total = 0 for i, digit in enumerate(self.digits): total += digit * (BASE ** i) return total def __str__(self): return str(int(self)) x = BigUInt([]) y = BigUInt([57]) z = BigUInt([10000, 1]) print(x) print(y) print(z)
base = 2 ** 30 class Biguint: def __init__(self, digits=[]): for digit in digits: if digit >= BASE: raise value_error('digit is too large!') self.digits = digits def __int__(self): total = 0 for (i, digit) in enumerate(self.digits): total += digit * BASE ** i return total def __str__(self): return str(int(self)) x = big_u_int([]) y = big_u_int([57]) z = big_u_int([10000, 1]) print(x) print(y) print(z)
# check if dependencies are available hard_dependencies = ('numpy','cv2','skimage','scipy') missing_dependencies = [] for dependency in hard_dependencies: try: __import__(dependency) except ImportError as e: missing_dependencies.append(f"{dependency}: {e}") if missing_dependencies: raise ImportError("image-super-resolution: Unable to import required dependencies: \n"+"\n".join(missing_dependencies)) else: print("#####################################################") print("image-super-resolution: All dependencies available !") print("#####################################################") print("") del hard_dependencies, dependency, missing_dependencies
hard_dependencies = ('numpy', 'cv2', 'skimage', 'scipy') missing_dependencies = [] for dependency in hard_dependencies: try: __import__(dependency) except ImportError as e: missing_dependencies.append(f'{dependency}: {e}') if missing_dependencies: raise import_error('image-super-resolution: Unable to import required dependencies: \n' + '\n'.join(missing_dependencies)) else: print('#####################################################') print('image-super-resolution: All dependencies available !') print('#####################################################') print('') del hard_dependencies, dependency, missing_dependencies
def clamp(value, max_value, min_value): value = min(value, max_value) value = max(value, min_value) return value
def clamp(value, max_value, min_value): value = min(value, max_value) value = max(value, min_value) return value
__author__ = 'wenqihe' class AbstractFeature(object): def apply(self, sentence, mention, features): raise NotImplementedError('Should have implemented this')
__author__ = 'wenqihe' class Abstractfeature(object): def apply(self, sentence, mention, features): raise not_implemented_error('Should have implemented this')
# PROGRAM : To accept some inputs of different types and print them using positional parameters format i.e. {} # FILE : positionalParameter.py # CREATED BY : Santosh Hembram # DATED : 16-09-20 x = int(input("Enter an integer value: ")) y = float(input("Enter a float value: ")) z = (input("Enter a string: ")) print("============Printing using positional parameter=============") print("x = {0}".format(x)) print("y = {0}".format(y)) print("z = {0}".format(z)) print(" ") print("x = {0} and y = {1} and z = {2}".format(x,y,z))
x = int(input('Enter an integer value: ')) y = float(input('Enter a float value: ')) z = input('Enter a string: ') print('============Printing using positional parameter=============') print('x = {0}'.format(x)) print('y = {0}'.format(y)) print('z = {0}'.format(z)) print(' ') print('x = {0} and y = {1} and z = {2}'.format(x, y, z))
def number_increment(numbers): def increase(): return [x+1 for x in numbers] return increase()
def number_increment(numbers): def increase(): return [x + 1 for x in numbers] return increase()
def _convert_playlist_url_to_embed(url): return url.replace("/playlist/", "/embed/playlist/") def transform_spotify_playlist_to_thisdayinmusic_playlist(playlist): url_embed = _convert_playlist_url_to_embed(playlist["external_urls"]["spotify"]) return {"id": playlist["id"], "url": url_embed} def transform_spotify_user_to_thisdayinmusic_user(user): return user["id"]
def _convert_playlist_url_to_embed(url): return url.replace('/playlist/', '/embed/playlist/') def transform_spotify_playlist_to_thisdayinmusic_playlist(playlist): url_embed = _convert_playlist_url_to_embed(playlist['external_urls']['spotify']) return {'id': playlist['id'], 'url': url_embed} def transform_spotify_user_to_thisdayinmusic_user(user): return user['id']
# ScriptName: functions.py # Author: Brendon Purchase 119473576 # template for calling functions in another file def print_function(): print("I'm in another file :)") def count(list, value): ''' function - count how many times <value> occurs in <list> :param list: - <list> input :param value: - <value> to search for :return: ''' # set counter i = 0 # accumulator to count how many times <value> occurs # set to zero to cover no <value> in <list> num_values = 0 # loop over the length of the <list> while i < len(list): # if <value> and <list> index i are the same if list[i] == value: # increment the accumulator num_values += 1 # increment the counter i += 1 # return how many times <value> occurs in <list> return num_values def index(list, value): ''' function - return the first index that <value> occurs in <list> :param list: - <list> input :param value: - <value> to search for :return: ''' # counter i = 0 # accumulator to count the first index that <value> occurs # set to zero to cover no <value> in <list> # num_index = 0 # loop over the length of list while i < len(list): if list[i] == value: # COUNTS INDEX return i # num_index += 1 i += 1 # RETURNS INDEX return -1 def get_value(list, index): ''' function - return the value that occurs in <list> at <index> :param list: - list input :param index: - value to return :return: ''' # set counter i = 0 while index < len(list): if i == index: return list[i] i += 1 def insert(lst, index, value): ''' function - function to return <list> ,after you have added <value> at <index> :param lst: - list input :param index: - specifies where <value> is added :param value: - value to add :return: ''' i = 0 lst = list(lst) while i < len(lst): if i == index: lst[i] = value return ''.join(lst) i += 1 lst.append(value) return ''.join(lst) def value_in_list(mylist, value): ''' function - function to return True or False if <value> occurs in <list> :param mylist: - list input :param value: - value which may occur :return: ''' i = 0 while i < len(mylist): if mylist[i] == value: return mylist i += 1 return mylist def concat(list1, list2): ''' function - function to return a new list, which is a combination of list1 and list2 :param list1: - list :param list2: - list :return: ''' i = 0 list = [list1, list2] con = " ".join(list) while i < len(list1 + list2): print(con) break def remove(mylist, value): ''' :param mylist: :param value: :return: ''' i = 0 mylist = list(mylist) while i < len(mylist): if mylist[i] == value: del(mylist[i]) break i += 1 return ''.join(mylist)
def print_function(): print("I'm in another file :)") def count(list, value): """ function - count how many times <value> occurs in <list> :param list: - <list> input :param value: - <value> to search for :return: """ i = 0 num_values = 0 while i < len(list): if list[i] == value: num_values += 1 i += 1 return num_values def index(list, value): """ function - return the first index that <value> occurs in <list> :param list: - <list> input :param value: - <value> to search for :return: """ i = 0 while i < len(list): if list[i] == value: return i i += 1 return -1 def get_value(list, index): """ function - return the value that occurs in <list> at <index> :param list: - list input :param index: - value to return :return: """ i = 0 while index < len(list): if i == index: return list[i] i += 1 def insert(lst, index, value): """ function - function to return <list> ,after you have added <value> at <index> :param lst: - list input :param index: - specifies where <value> is added :param value: - value to add :return: """ i = 0 lst = list(lst) while i < len(lst): if i == index: lst[i] = value return ''.join(lst) i += 1 lst.append(value) return ''.join(lst) def value_in_list(mylist, value): """ function - function to return True or False if <value> occurs in <list> :param mylist: - list input :param value: - value which may occur :return: """ i = 0 while i < len(mylist): if mylist[i] == value: return mylist i += 1 return mylist def concat(list1, list2): """ function - function to return a new list, which is a combination of list1 and list2 :param list1: - list :param list2: - list :return: """ i = 0 list = [list1, list2] con = ' '.join(list) while i < len(list1 + list2): print(con) break def remove(mylist, value): """ :param mylist: :param value: :return: """ i = 0 mylist = list(mylist) while i < len(mylist): if mylist[i] == value: del mylist[i] break i += 1 return ''.join(mylist)
points = [(1.0, 2.0), (3.0, 1.0), (1.0, 1.0), (2.0, 2.0), (4.0, 2.0)] lines = [ (points[1], points[4]), (points[3], points[4]), (points[1], points[2]), (points[2], points[3]), (points[0], points[3]) ] xrefs = {p: [l for l in lines if p in l] for p in points} starts = [k for k in xrefs.keys() if len(xrefs[k]) == 1] cp = [] cl = [] for p in starts: cp.append(p) cl.append(xrefs[p][0]) del xrefs[p] while xrefs: for k in xrefs.keys(): if len(xrefs[k]) == 0: del xrefs[k] continue if cl[-1] in xrefs[k]: xrefs[k].remove(cl[-1]) cp.append(k) if len(xrefs[k]) > 0: cl.append(xrefs[k].pop(0)) p = k break
points = [(1.0, 2.0), (3.0, 1.0), (1.0, 1.0), (2.0, 2.0), (4.0, 2.0)] lines = [(points[1], points[4]), (points[3], points[4]), (points[1], points[2]), (points[2], points[3]), (points[0], points[3])] xrefs = {p: [l for l in lines if p in l] for p in points} starts = [k for k in xrefs.keys() if len(xrefs[k]) == 1] cp = [] cl = [] for p in starts: cp.append(p) cl.append(xrefs[p][0]) del xrefs[p] while xrefs: for k in xrefs.keys(): if len(xrefs[k]) == 0: del xrefs[k] continue if cl[-1] in xrefs[k]: xrefs[k].remove(cl[-1]) cp.append(k) if len(xrefs[k]) > 0: cl.append(xrefs[k].pop(0)) p = k break
class ProductionConfig(): TESTING = False SQLALCHEMY_DATABASE_URI = 'sqlite:///../app.db' SQLALCHEMY_ECHO = False SQLALCHEMY_TRACK_MODIFICATIONS = False SECRET_KEY = '12345567890' # Unsecure default, overridden in secret_key.py WTF_CSRF_ENABLED = False class TestingConfig(): TESTING = True SQLALCHEMY_DATABASE_URI = 'sqlite:///:memory:' SQLALCHEMY_ECHO = True SECRET_KEY = '12345567890' # Unsecure default WTF_CSRF_ENABLED = False LOGIN_DISABLED = True
class Productionconfig: testing = False sqlalchemy_database_uri = 'sqlite:///../app.db' sqlalchemy_echo = False sqlalchemy_track_modifications = False secret_key = '12345567890' wtf_csrf_enabled = False class Testingconfig: testing = True sqlalchemy_database_uri = 'sqlite:///:memory:' sqlalchemy_echo = True secret_key = '12345567890' wtf_csrf_enabled = False login_disabled = True
# This is a an example file to be tokenized def two(): return 1 + 1
def two(): return 1 + 1
A = int(input()) B = int(input()) C = int(input()) X = int(input()) count = 0 for i in range(A+1): for j in range(B+1): for k in range(C+1): if 500*i + 100*j + 50*k == X: count += 1 print(count)
a = int(input()) b = int(input()) c = int(input()) x = int(input()) count = 0 for i in range(A + 1): for j in range(B + 1): for k in range(C + 1): if 500 * i + 100 * j + 50 * k == X: count += 1 print(count)
class Temperature_convertedersion: '''Convert given temperature to celsius, fahrenheit or kelvin''' def __init__(self, temp): self.temp = temp def celsius_to_fahrenheit(self): converted = (9 / 5) * self.temp + 32 return f'{self.temp}C = {converted}F' def celsius_to_kelvin(self): converted = self.temp + 273 return f'{self.temp}C = {converted}K' def fahrenheit_to_celsius(self): converted = (5 / 9) * self.temp - 32 return f'{self.temp}F = {converted}C' def fahrenheit_to_kelvin(self): converted = (5 * self.temp - 2617) / 9 return f'{self.temp}F = {converted}K' def kelvin_to_celsius(self): converted = self.temp - 273 return f'{self.temp}K = {converted}C' def kelvin_to_fahrenheit(self): converted = (9 * self.temp + 2167) / 5 return f'{self.temp}K = {converted}F' if __name__ == '__main__': temp_converted = Temperature_convertedersion(100) print(temp_converted.celsius_to_fahrenheit()) print(temp_converted.celsius_to_kelvin(), end='\n\n') print(temp_converted.fahrenheit_to_celsius()) print(temp_converted.fahrenheit_to_kelvin(), end='\n\n') print(temp_converted.kelvin_to_celsius()) print(temp_converted.kelvin_to_fahrenheit())
class Temperature_Convertedersion: """Convert given temperature to celsius, fahrenheit or kelvin""" def __init__(self, temp): self.temp = temp def celsius_to_fahrenheit(self): converted = 9 / 5 * self.temp + 32 return f'{self.temp}C = {converted}F' def celsius_to_kelvin(self): converted = self.temp + 273 return f'{self.temp}C = {converted}K' def fahrenheit_to_celsius(self): converted = 5 / 9 * self.temp - 32 return f'{self.temp}F = {converted}C' def fahrenheit_to_kelvin(self): converted = (5 * self.temp - 2617) / 9 return f'{self.temp}F = {converted}K' def kelvin_to_celsius(self): converted = self.temp - 273 return f'{self.temp}K = {converted}C' def kelvin_to_fahrenheit(self): converted = (9 * self.temp + 2167) / 5 return f'{self.temp}K = {converted}F' if __name__ == '__main__': temp_converted = temperature_convertedersion(100) print(temp_converted.celsius_to_fahrenheit()) print(temp_converted.celsius_to_kelvin(), end='\n\n') print(temp_converted.fahrenheit_to_celsius()) print(temp_converted.fahrenheit_to_kelvin(), end='\n\n') print(temp_converted.kelvin_to_celsius()) print(temp_converted.kelvin_to_fahrenheit())
# Copyright (c) Microsoft Corporation and contributors. # Licensed under the MIT License. _PRECISION = 1e-8 _LINE = "_" * 9 _INDENTATION = " " * 9 # Explicit optimization parameters of ExponentiatedGradient # A multiplier controlling the automatic setting of nu. _ACCURACY_MUL = 0.5 # Parameters controlling adaptive shrinking of the learning rate. _REGRET_CHECK_START_T = 5 _REGRET_CHECK_INCREASE_T = 1.6 _SHRINK_REGRET = 0.8 _SHRINK_ETA = 0.8 # The smallest number of iterations after which ExponentiatedGradient terminates. _MIN_ITER = 5
_precision = 1e-08 _line = '_' * 9 _indentation = ' ' * 9 _accuracy_mul = 0.5 _regret_check_start_t = 5 _regret_check_increase_t = 1.6 _shrink_regret = 0.8 _shrink_eta = 0.8 _min_iter = 5
data = [ [775, 785, 361], [622, 375, 125], [297, 839, 375], [245, 38, 891], [503, 463, 849], [731, 482, 759], [ 29, 734, 734], [245, 771, 269], [261, 315, 904], [669, 96, 581], [570, 745, 156], [124, 678, 684], [472, 360, 73], [174, 251, 926], [406, 408, 976], [413, 238, 571], [375, 554, 22], [211, 379, 590], [271, 821, 847], [696, 253, 116], [513, 972, 959], [539, 557, 752], [168, 362, 550], [690, 236, 284], [434, 91, 818], [859, 393, 779], [620, 313, 56], [188, 983, 783], [799, 900, 573], [932, 359, 565], [357, 670, 69], [525, 71, 52], [640, 654, 43], [695, 781, 907], [676, 680, 938], [ 63, 507, 570], [985, 492, 587], [984, 34, 333], [ 25, 489, 399], [470, 158, 43], [715, 491, 617], [508, 412, 607], [365, 446, 743], [504, 189, 378], [225, 424, 517], [473, 45, 649], [847, 927, 424], [455, 889, 697], [ 64, 230, 846], [579, 368, 881], [639, 536, 74], [433, 803, 943], [ 14, 629, 963], [432, 481, 136], [781, 625, 323], [836, 215, 201], [620, 614, 366], [801, 679, 673], [745, 376, 326], [891, 957, 751], [ 64, 430, 347], [784, 534, 237], [740, 485, 470], [570, 894, 790], [905, 979, 90], [571, 526, 716], [810, 602, 259], [ 20, 41, 648], [816, 566, 848], [891, 883, 616], [801, 797, 341], [ 99, 119, 584], [175, 40, 994], [ 8, 234, 831], [184, 254, 958], [625, 999, 945], [326, 385, 266], [475, 644, 785], [345, 769, 650], [427, 410, 680], [689, 887, 40], [380, 109, 842], [342, 640, 785], [164, 546, 554], [843, 871, 419], [873, 687, 74], [ 84, 192, 465], [186, 777, 83], [180, 130, 726], [315, 860, 652], [ 88, 273, 735], [859, 684, 791], [806, 655, 299], [763, 409, 636], [310, 532, 897], [891, 163, 855], [631, 200, 986], [104, 559, 294], [555, 679, 989], [770, 437, 935], [997, 189, 711], [830, 300, 983], [566, 325, 793], [ 7, 694, 911], [574, 490, 138], [596, 230, 973], [855, 377, 552], [969, 150, 518], [453, 653, 525], [753, 556, 47], [858, 509, 551], [103, 545, 325], [660, 215, 284], [566, 509, 591], [647, 97, 650], [993, 597, 775], [970, 566, 802], [242, 922, 349], [693, 932, 502], [872, 267, 657], [526, 87, 944], [395, 85, 188], [134, 129, 901], [ 56, 244, 785], [ 1, 733, 300], [ 55, 698, 552], [372, 933, 480], [548, 459, 792], [631, 653, 983], [443, 320, 23], [555, 117, 715], [665, 268, 704], [804, 899, 736], [654, 823, 13], [441, 250, 736], [229, 324, 580], [ 41, 389, 857], [215, 103, 753], [933, 311, 835], [955, 234, 744], [113, 141, 315], [790, 130, 235], [464, 464, 129], [328, 386, 315], [787, 735, 301], [839, 744, 299], [ 77, 119, 23], [407, 321, 190], [968, 962, 904], [653, 752, 732], [962, 145, 723], [175, 452, 717], [868, 474, 195], [ 10, 273, 943], [308, 388, 626], [296, 133, 647], [851, 474, 336], [839, 777, 975], [514, 651, 867], [949, 947, 886], [802, 92, 113], [167, 938, 941], [840, 627, 166], [825, 72, 754], [166, 661, 677], [759, 71, 279], [705, 70, 113], [849, 4, 295], [563, 679, 588], [343, 76, 636], [842, 669, 45], [892, 597, 431], [ 26, 864, 580], [889, 509, 641], [696, 267, 506], [608, 778, 297], [293, 867, 667], [662, 469, 97], [243, 184, 809], [785, 434, 715], [691, 568, 759], [599, 4, 164], [444, 566, 816], [486, 145, 595], [787, 41, 538], [953, 151, 842], [861, 877, 759], [228, 972, 678], [846, 114, 915], [253, 41, 621], [ 59, 989, 405], [222, 948, 665], [478, 631, 364], [524, 717, 175], [752, 94, 474], [ 47, 421, 419], [113, 510, 343], [ 99, 733, 667], [787, 651, 708], [703, 557, 486], [489, 637, 702], [510, 287, 529], [483, 308, 545], [454, 177, 87], [433, 735, 242], [638, 734, 172], [208, 702, 285], [999, 157, 251], [776, 76, 341], [689, 164, 553], [477, 938, 456], [ 45, 848, 863], [466, 255, 644], [578, 396, 93], [471, 419, 368], [411, 27, 320], [317, 291, 732], [303, 42, 605], [597, 313, 473], [ 70, 419, 120], [101, 440, 745], [ 35, 176, 656], [236, 329, 198], [ 74, 296, 40], [272, 78, 233], [864, 404, 510], [ 37, 368, 531], [828, 35, 50], [191, 272, 396], [238, 548, 387], [129, 527, 13], [464, 600, 194], [385, 42, 341], [ 81, 596, 432], [589, 663, 943], [256, 704, 723], [671, 152, 505], [873, 532, 364], [758, 755, 202], [378, 621, 563], [735, 463, 555], [806, 910, 409], [809, 897, 276], [546, 755, 608], [609, 852, 79], [279, 133, 527], [106, 696, 980], [ 63, 981, 360], [ 90, 440, 832], [127, 860, 495], [714, 395, 480], [815, 485, 59], [792, 91, 507], [249, 524, 138], [567, 452, 486], [923, 544, 768], [913, 253, 767], [456, 582, 293], [706, 507, 577], [187, 619, 644], [569, 978, 602], [ 88, 886, 291], [448, 712, 211], [517, 815, 258], [743, 397, 816], [977, 793, 795], [847, 905, 668], [690, 869, 162], [426, 541, 257], [637, 586, 272], [ 82, 950, 821], [785, 936, 350], [812, 31, 490], [318, 253, 159], [515, 688, 479], [423, 855, 407], [931, 830, 651], [496, 241, 28], [491, 924, 624], [864, 966, 133], [171, 438, 712], [736, 867, 734], [551, 548, 267], [288, 455, 474], [557, 622, 273], [494, 74, 507], [541, 628, 390], [288, 583, 310], [411, 63, 353], [487, 527, 295], [520, 567, 536], [739, 816, 848], [349, 681, 269], [898, 902, 676], [647, 759, 892], [573, 512, 75], [186, 252, 895], [804, 320, 772], [730, 934, 107], [198, 651, 774], [625, 535, 985], [568, 499, 235], [159, 42, 837], [854, 617, 695], [ 34, 299, 670], [823, 733, 41], [830, 615, 789], [825, 652, 562], [697, 105, 504], [114, 103, 540], [ 18, 141, 106], [ 94, 121, 479], [859, 774, 177], [464, 873, 208], [790, 125, 305], [982, 586, 811], [521, 386, 478], [916, 329, 620], [764, 91, 351], [526, 684, 103], [314, 749, 283], [510, 226, 378], [160, 269, 278], [638, 368, 120], [616, 540, 475], [863, 637, 89], [744, 172, 445], [856, 391, 269], [768, 276, 634], [940, 610, 820], [289, 254, 649], [254, 364, 98], [304, 613, 620], [164, 652, 257], [890, 74, 483], [813, 640, 710], [884, 99, 735], [707, 881, 380], [954, 983, 971], [487, 911, 275], [256, 920, 43], [384, 772, 313], [863, 120, 903], [703, 821, 82], [765, 731, 957], [ 55, 935, 516], [162, 785, 801], [140, 161, 927], [460, 139, 84], [926, 139, 965], [764, 3, 976], [765, 487, 42], [377, 835, 277], [897, 734, 256], [345, 320, 55], [515, 755, 504], [615, 623, 562], [412, 280, 6], [382, 392, 468], [365, 625, 461], [542, 406, 610], [360, 200, 801], [562, 221, 627], [556, 557, 141], [372, 231, 212], [523, 457, 272], [ 80, 701, 676], [940, 59, 871], [906, 695, 987], [715, 922, 573], [618, 446, 552], [196, 849, 62], [772, 867, 608], [735, 377, 418], [676, 607, 236], [ 25, 447, 830], [187, 270, 738], [214, 175, 990], [438, 790, 816], [456, 396, 534], [220, 628, 356], [384, 935, 215], [377, 593, 802], [566, 651, 650], [648, 529, 999], [128, 884, 472], [688, 951, 661], [312, 722, 722], [ 48, 526, 696], [266, 347, 903], [698, 21, 354], [933, 404, 570], [303, 417, 685], [ 46, 562, 897], [566, 931, 14], [539, 747, 911], [374, 623, 743], [868, 353, 513], [927, 903, 481], [207, 765, 560], [351, 956, 215], [540, 945, 512], [362, 322, 651], [820, 555, 190], [548, 301, 467], [405, 931, 842], [598, 347, 150], [276, 971, 814], [450, 480, 361], [577, 538, 493], [139, 104, 181], [716, 233, 697], [494, 647, 287], [511, 782, 575], [809, 728, 107], [895, 167, 85], [741, 746, 141], [ 23, 115, 83], [173, 147, 549], [191, 208, 581], [313, 356, 284], [357, 393, 123], [ 60, 322, 363], [830, 87, 661], [403, 711, 713], [433, 651, 101], [783, 738, 792], [574, 821, 764], [705, 214, 263], [256, 243, 334], [341, 152, 444], [520, 140, 131], [975, 461, 313], [319, 441, 161], [791, 47, 309], [228, 973, 235], [583, 305, 398], [389, 876, 277], [551, 974, 351], [822, 786, 876], [364, 347, 874], [523, 130, 173], [806, 90, 462], [304, 146, 402], [748, 760, 239], [164, 345, 704], [833, 817, 628], [239, 739, 640], [284, 296, 234], [127, 711, 415], [435, 590, 402], [480, 250, 914], [282, 379, 914], [547, 845, 267], [922, 795, 324], [600, 500, 447], [342, 464, 53], [404, 341, 143], [641, 129, 90], [375, 730, 138], [263, 32, 124], [450, 749, 251], [588, 697, 89], [688, 431, 603], [156, 614, 617], [604, 259, 349], [475, 282, 45], [572, 197, 308], [743, 749, 686], [770, 811, 907], [117, 543, 845], [ 41, 179, 766], [147, 555, 742], [130, 410, 169], [476, 62, 627], [652, 879, 240], [678, 852, 508], [953, 795, 413], [699, 597, 444], [324, 577, 846], [919, 79, 727], [908, 719, 125], [128, 776, 714], [299, 256, 118], [513, 222, 115], [624, 75, 181], [ 1, 605, 162], [ 55, 106, 230], [ 58, 672, 286], [639, 558, 549], [150, 662, 435], [662, 695, 222], [461, 173, 344], [428, 354, 647], [ 56, 405, 653], [699, 631, 995], [967, 608, 269], [365, 853, 794], [768, 606, 943], [413, 601, 128], [362, 427, 919], [735, 448, 566], [276, 354, 377], [604, 657, 544], [913, 192, 592], [811, 762, 62], [120, 720, 606], [618, 232, 392], [ 85, 19, 764], [603, 241, 541], [993, 997, 840], [818, 894, 266], [247, 305, 682], [280, 964, 511], [559, 967, 455], [531, 38, 674], [878, 731, 684], [783, 156, 390], [617, 742, 604], [370, 770, 896], [592, 667, 353], [222, 921, 736], [741, 508, 285], [759, 395, 156], [ 37, 128, 254], [209, 631, 716], [237, 423, 613], [ 65, 856, 439], [942, 526, 288], [862, 811, 341], [753, 840, 59], [369, 67, 907], [817, 947, 802], [768, 945, 137], [356, 557, 207], [716, 9, 205], [361, 558, 1], [310, 889, 719], [ 97, 128, 887], [361, 776, 873], [ 86, 181, 892], [284, 865, 808], [218, 859, 279], [299, 649, 624], [542, 583, 624], [617, 66, 48], [921, 459, 75], [921, 672, 759], [800, 345, 814], [572, 975, 685], [720, 980, 867], [522, 135, 267], [139, 376, 86], [362, 399, 585], [330, 206, 511], [419, 194, 679], [293, 374, 3], [560, 272, 676], [224, 926, 717], [685, 927, 347], [555, 786, 943], [591, 776, 538], [326, 835, 471], [635, 67, 464], [276, 916, 913], [304, 965, 2], [ 50, 110, 912], [893, 200, 307], [445, 248, 596], [725, 128, 681], [279, 602, 888], [ 7, 204, 766], [284, 429, 191], [264, 503, 351], [531, 335, 140], [381, 220, 292], [518, 905, 824], [416, 477, 600], [405, 663, 511], [531, 92, 321], [824, 131, 534], [409, 113, 431], [ 12, 192, 485], [864, 557, 391], [858, 390, 756], [ 28, 465, 231], [188, 216, 825], [177, 316, 910], [766, 41, 329], [202, 105, 219], [787, 125, 542], [639, 108, 5], [639, 10, 525], [ 17, 105, 532], [586, 498, 918], [630, 389, 19], [317, 361, 903], [185, 575, 708], [679, 532, 355], [851, 367, 844], [775, 68, 120], [644, 45, 194], [802, 44, 242], [852, 214, 601], [595, 525, 281], [258, 450, 415], [534, 121, 561], [117, 33, 620], [576, 147, 318], [217, 953, 365], [863, 686, 803], [751, 694, 680], [502, 669, 546], [385, 204, 399], [740, 760, 650], [105, 567, 227], [526, 574, 378], [496, 858, 216], [248, 475, 19], [790, 358, 887], [556, 713, 866], [348, 334, 937], [364, 364, 88], [396, 58, 915], [871, 418, 645], [438, 507, 449], [967, 924, 960], [435, 153, 47], [831, 861, 835], [787, 958, 832], [376, 231, 602], [487, 528, 782], [485, 532, 607], [820, 96, 256], [856, 177, 549], [302, 240, 751], [146, 412, 332], [268, 715, 463], [309, 584, 399], [939, 548, 465], [966, 854, 412], [517, 385, 574], [425, 809, 919], [ 88, 796, 924], [468, 317, 287], [195, 131, 961], [ 10, 485, 229], [190, 374, 827], [573, 178, 842], [575, 255, 358], [220, 359, 713], [401, 853, 206], [736, 904, 667], [450, 209, 798], [865, 42, 300], [806, 373, 182], [383, 403, 258], [397, 51, 691], [492, 146, 568], [814, 179, 584], [545, 851, 182], [606, 135, 208], [135, 934, 183], [733, 365, 561], [215, 97, 642], [617, 418, 209], [641, 297, 106], [400, 876, 246], [399, 665, 156], [424, 20, 222], [954, 860, 194], [930, 875, 34], [883, 469, 376], [111, 576, 753], [995, 515, 461], [535, 380, 786], [117, 578, 780], [646, 803, 965], [243, 951, 886], [563, 935, 879], [520, 91, 879], [390, 332, 402], [955, 471, 221], [810, 398, 527], [312, 876, 131], [256, 371, 527], [293, 945, 501], [724, 900, 650], [798, 526, 908], [199, 510, 377], [285, 338, 780], [729, 157, 584], [866, 259, 438], [ 91, 680, 717], [982, 618, 786], [918, 255, 178], [ 66, 257, 416], [288, 223, 81], [237, 405, 404], [597, 762, 518], [671, 661, 39], [976, 431, 502], [524, 337, 919], [524, 194, 343], [ 23, 167, 623], [882, 993, 129], [741, 572, 465], [694, 830, 394], [353, 846, 895], [312, 254, 903], [ 52, 614, 101], [300, 513, 706], [976, 310, 698], [929, 736, 22], [732, 248, 113], [816, 471, 405], [230, 466, 355], [749, 854, 492], [956, 286, 554], [833, 928, 239], [334, 883, 528], [782, 968, 977], [715, 608, 898], [264, 576, 100], [530, 705, 344], [779, 189, 245], [560, 692, 658], [550, 325, 931], [ 22, 757, 277], [860, 962, 567], [695, 542, 611], [227, 936, 116], [812, 696, 604], [889, 520, 282], [512, 180, 350], [735, 582, 392], [511, 400, 667], [754, 871, 309], [899, 133, 582], [986, 66, 309], [186, 183, 367], [543, 242, 522], [132, 255, 887], [538, 225, 934], [ 57, 276, 438], [452, 396, 382], [501, 608, 195], [292, 741, 619], [ 69, 671, 801], [331, 731, 279], [485, 350, 380], [ 81, 926, 182], [513, 834, 298], [165, 801, 799], [204, 426, 521], [245, 650, 330], [716, 716, 155], [693, 699, 658], [305, 69, 710], [661, 744, 698], [599, 327, 957], [577, 593, 903], [924, 117, 176], [949, 808, 323], [267, 710, 257], [ 91, 683, 927], [404, 262, 918], [347, 716, 109], [155, 266, 483], [142, 676, 512], [216, 501, 103], [923, 110, 424], [856, 329, 617], [229, 332, 231], [466, 803, 573], [498, 388, 827], [ 38, 788, 587], [770, 367, 435], [736, 584, 445], [ 93, 569, 834], [ 65, 948, 479], [172, 630, 581], [239, 369, 396], [820, 270, 656], [ 32, 515, 348], [803, 324, 969], [ 70, 188, 635], [219, 766, 279], [166, 736, 640], [257, 604, 851], [555, 616, 822], [589, 345, 165], [166, 196, 64], [909, 185, 700], [870, 119, 693], [ 20, 565, 737], [680, 198, 244], [700, 486, 825], [194, 812, 67], [236, 756, 407], [ 64, 905, 344], [ 92, 755, 905], [748, 349, 681], [707, 781, 811], [505, 50, 456], [471, 889, 672], [ 35, 891, 334], [899, 411, 164], [663, 459, 232], [539, 446, 322], [ 57, 785, 718], [273, 421, 308], [308, 744, 501], [ 45, 819, 416], [936, 258, 466], [980, 825, 841], [100, 33, 345], [898, 904, 750], [920, 903, 453], [947, 9, 765], [580, 979, 375], [753, 977, 844], [402, 174, 156], [573, 827, 782], [975, 663, 644], [179, 358, 353], [ 55, 777, 834], [221, 871, 631], [120, 714, 199], [663, 369, 217], [599, 713, 135], [ 11, 472, 765], [803, 445, 746], [797, 30, 284], [259, 776, 677], [598, 707, 675], [484, 339, 3], [298, 750, 162], [119, 820, 168], [180, 69, 9], [433, 332, 676], [142, 164, 343], [435, 233, 414], [153, 977, 263], [532, 54, 244], [600, 999, 25], [394, 756, 311], [354, 196, 703], [666, 858, 760], [227, 312, 525], [389, 419, 436], [218, 311, 744], [318, 531, 245], [324, 939, 509], [183, 997, 543], [944, 598, 70], [790, 486, 828], [710, 745, 880], [546, 368, 219], [316, 668, 29], [398, 360, 218], [702, 453, 987], [774, 462, 373], [722, 829, 947], [541, 732, 44], [310, 494, 582], [239, 596, 548], [579, 810, 907], [490, 169, 62], [926, 883, 915], [281, 414, 595], [845, 412, 609], [632, 106, 618], [112, 404, 492], [864, 460, 314], [842, 93, 436], [412, 805, 874], [353, 686, 465], [240, 393, 800], [788, 654, 346], [666, 78, 185], [418, 608, 404], [658, 537, 960], [794, 449, 680], [711, 324, 489], [ 59, 525, 330], [323, 259, 544], [359, 745, 542], [877, 701, 403], [119, 897, 533], [977, 392, 227], [528, 340, 194], [398, 180, 283], [538, 301, 123], [775, 263, 195], [ 53, 385, 630], [749, 253, 686], [533, 30, 624], [678, 187, 590], [937, 218, 50], [205, 466, 918], [796, 672, 47], [818, 203, 963], [461, 953, 881], [739, 457, 696], [661, 711, 220], [624, 121, 663], [908, 173, 644], [602, 185, 70], [168, 957, 159], [283, 341, 934], [196, 845, 939], [494, 354, 543], [796, 422, 87], [430, 762, 478], [526, 762, 859], [535, 600, 926], [ 28, 555, 651], [170, 748, 379], [117, 745, 33], [ 52, 1, 351], [946, 796, 446], [148, 844, 920], [950, 131, 740], [392, 490, 118], [286, 465, 667], [202, 101, 662], [326, 629, 556], [773, 661, 219], [540, 683, 613], [406, 314, 525], [154, 947, 451], [401, 661, 186], [574, 690, 796], [558, 730, 855], [153, 244, 156], [618, 37, 10], [856, 991, 363], [820, 959, 370], [644, 700, 800], [421, 469, 908], [422, 233, 288], [416, 281, 707], [370, 430, 487], [284, 525, 916], [535, 713, 354], [210, 576, 524], [432, 930, 215], [712, 374, 612], [686, 508, 102], [ 40, 141, 616], [979, 525, 663], [838, 696, 326], [472, 261, 357], [321, 910, 663], [228, 153, 536], [223, 940, 896], [137, 39, 506], [139, 706, 187], [ 4, 666, 483], [944, 856, 119], [720, 602, 93], [410, 260, 85], [601, 647, 520], [162, 474, 317], [599, 742, 313], [242, 886, 381], [250, 78, 353], [109, 916, 117], [597, 926, 673], [318, 114, 309], [892, 819, 424], [491, 682, 85], [765, 657, 682], [558, 60, 721], [990, 634, 160], [640, 461, 410], [430, 839, 535], [ 42, 961, 686], [752, 251, 690], [747, 931, 3], [439, 930, 85], [ 44, 628, 953], [465, 961, 874], [313, 447, 913], [249, 600, 859], [359, 896, 472], [698, 187, 657], [ 57, 957, 805], [721, 977, 239], [782, 93, 96], [860, 159, 250], [368, 142, 218], [565, 157, 46], [622, 403, 383], [ 63, 546, 382], [ 63, 774, 308], [446, 495, 475], [467, 831, 310], [448, 77, 798], [930, 281, 189], [767, 289, 644], [514, 765, 524], [330, 827, 992], [340, 284, 964], [600, 97, 785], [418, 432, 755], [983, 442, 58], [872, 435, 725], [107, 344, 315], [917, 682, 547], [ 24, 613, 561], [665, 448, 238], [680, 872, 737], [108, 180, 449], [220, 545, 583], [268, 676, 863], [796, 791, 2], [694, 992, 39], [788, 767, 41], [235, 572, 377], [975, 864, 883], [953, 448, 608], [909, 888, 452], [ 93, 850, 414], [852, 48, 49], [136, 558, 842], [300, 428, 776], [427, 814, 64], [223, 45, 283], [100, 562, 659], [290, 519, 828], [678, 786, 346], [371, 711, 934], [686, 276, 826], [808, 208, 669], [832, 198, 6], [317, 11, 675], [504, 182, 448], [162, 745, 642], [623, 791, 687], [408, 947, 693], [247, 267, 641], [328, 693, 758], [773, 411, 149], [ 66, 2, 589], [786, 407, 527], [ 81, 760, 803], [946, 696, 552], [878, 698, 994], [190, 203, 649], [548, 713, 634], [657, 724, 676], [195, 397, 887], [175, 346, 118], [356, 264, 981], [191, 919, 468], [490, 470, 570], [583, 740, 151], [340, 773, 889], [176, 446, 314], [206, 384, 935], [172, 996, 620], [362, 842, 497], [208, 786, 731], [207, 395, 750], [368, 819, 87], [524, 524, 702], [609, 761, 554], [753, 975, 290], [559, 932, 731], [584, 203, 140], [477, 100, 982], [784, 162, 876], [371, 209, 67], [236, 754, 108], [439, 633, 163], [734, 717, 626], [808, 216, 639], [133, 521, 94], [180, 813, 208], [136, 770, 844], [ 57, 867, 871], [700, 900, 740], [ 96, 75, 662], [628, 893, 284], [843, 851, 196], [546, 427, 607], [797, 471, 664], [180, 363, 117], [961, 775, 95], [846, 969, 210], [535, 269, 666], [216, 585, 490], [736, 521, 335], [489, 493, 602], [627, 574, 723], [857, 217, 629], [385, 808, 433], [615, 115, 361], [687, 705, 455], [898, 390, 177], [737, 393, 476], [355, 727, 371], [533, 526, 69], [615, 467, 157], [614, 683, 202], [876, 892, 581], [949, 165, 357], [ 86, 766, 432], [233, 47, 702], [448, 407, 821], [227, 364, 424], [158, 372, 933], [966, 405, 365], [913, 512, 813], [585, 698, 482], [720, 171, 716], [172, 868, 740], [ 96, 489, 33], [531, 882, 552], [618, 949, 523], [425, 860, 424], [909, 676, 116], [806, 770, 430], [836, 868, 355], [640, 561, 523], [858, 353, 411], [400, 149, 612], [872, 364, 491], [940, 469, 870], [127, 256, 47], [561, 306, 322], [626, 147, 276], [ 13, 547, 289], [218, 561, 705], [234, 16, 842], [301, 663, 261], [ 81, 415, 368], [301, 945, 593], [232, 855, 760], [522, 649, 929], [401, 847, 376], [764, 542, 452], [774, 536, 929], [ 10, 935, 499], [710, 262, 94], [ 72, 475, 524], [722, 618, 481], [515, 135, 637], [962, 115, 303], [665, 88, 416], [544, 303, 735], [828, 488, 680], [827, 575, 354], [ 44, 999, 437], [232, 985, 128], [226, 36, 346], [310, 325, 307], [473, 809, 315], [184, 487, 91], [778, 310, 926], [749, 260, 988], [869, 216, 878], [663, 790, 458], [914, 237, 476], [258, 935, 201], [956, 796, 313], [888, 105, 282], [160, 874, 42], [715, 524, 451], [477, 604, 886], [596, 111, 554], [524, 510, 388], [778, 878, 320], [894, 453, 574], [210, 808, 633], [340, 77, 956], [159, 872, 426], [ 4, 756, 333], [528, 697, 677], [530, 474, 442], [ 75, 427, 536], [874, 706, 437], [944, 536, 357], [726, 919, 349], [911, 791, 637], [447, 224, 483], [742, 941, 693], [632, 42, 918], [302, 907, 547], [204, 618, 927], [ 86, 765, 15], [280, 396, 926], [857, 422, 560], [801, 355, 368], [ 53, 718, 577], [613, 946, 933], [641, 378, 563], [ 39, 928, 423], [252, 906, 454], [626, 318, 81], [477, 838, 407], [ 85, 531, 475], [129, 622, 419], [184, 372, 147], [364, 805, 559], [445, 128, 302], [656, 813, 724], [485, 140, 509], [537, 267, 549], [164, 184, 89], [464, 231, 881], [111, 63, 706], [383, 283, 567], [408, 31, 455], [698, 864, 501], [692, 887, 753], [573, 681, 783], [453, 393, 338], [171, 707, 850], [ 68, 663, 190], [342, 588, 284], [309, 218, 102], [121, 743, 56], [321, 722, 379], [307, 99, 357], [444, 485, 636], [548, 419, 517], [407, 101, 714], [168, 496, 140], [111, 520, 594], [ 55, 129, 476], [706, 849, 93], [529, 200, 416], [848, 680, 470], [731, 189, 61], [591, 689, 20], [801, 777, 52], [395, 449, 821], [337, 421, 292], [618, 208, 674], [116, 13, 66], [459, 790, 615], [429, 796, 565], [891, 795, 903], [929, 443, 263], [ 49, 694, 890], [708, 929, 577], [764, 786, 554], [971, 473, 236], [271, 483, 440], [666, 506, 858], [582, 959, 594], [470, 918, 457], [583, 662, 551], [777, 446, 214], [609, 503, 929], [861, 691, 766], [256, 201, 940], [894, 386, 172], [624, 397, 17], [615, 9, 159], [454, 494, 344], [606, 717, 995], [251, 333, 688], [714, 910, 670], [531, 346, 227], [693, 754, 745], [947, 8, 411], [ 9, 862, 598], [937, 858, 601], [309, 977, 18], [731, 684, 943], [579, 384, 958], [359, 647, 495], [ 8, 355, 476], [363, 459, 21], [712, 383, 997], [892, 71, 981], [374, 433, 156], [ 86, 194, 341], [ 60, 298, 385], [ 31, 110, 452], [813, 501, 635], [249, 82, 215], [895, 585, 456], [571, 961, 784], [734, 746, 854], [742, 268, 73], [575, 7, 583], [660, 643, 908], [559, 643, 336], [222, 725, 935], [660, 82, 939], [709, 745, 41], [277, 504, 918], [604, 679, 913], [717, 419, 183], [613, 306, 732], [491, 694, 742], [628, 707, 108], [885, 867, 527], [970, 740, 567], [147, 267, 119], [288, 766, 969], [132, 190, 372], [175, 862, 992], [942, 468, 639], [ 63, 908, 581], [939, 703, 830], [328, 186, 554], [936, 130, 355], [865, 270, 479], [253, 104, 444], [ 99, 378, 107], [342, 385, 340], [651, 480, 324], [ 14, 841, 249], [635, 538, 79], [229, 415, 530], [489, 931, 329], [654, 828, 719], [911, 703, 693], [202, 425, 201], [897, 314, 745], [126, 606, 323], [201, 459, 307], [ 79, 719, 51], [595, 913, 432], [261, 980, 554], [708, 272, 591], [423, 754, 58], [175, 538, 449], [552, 671, 418], [871, 86, 809], [ 5, 579, 309], [877, 635, 850], [607, 621, 470], [584, 166, 732], [443, 666, 887], [305, 612, 454], [547, 252, 90], [324, 431, 510], [827, 912, 501], [329, 868, 593], [524, 944, 461], [ 10, 709, 299], [902, 76, 539], [894, 783, 448], [304, 883, 270], [358, 716, 346], [626, 192, 530], [900, 47, 880], [807, 796, 757], [672, 774, 885], [596, 391, 358], [300, 355, 318], [617, 44, 310], [363, 51, 907], [138, 183, 704], [243, 184, 234], [977, 406, 460], [811, 692, 579], [412, 459, 196], [509, 346, 366], [697, 646, 777], [247, 930, 583], [383, 268, 54], [387, 11, 471], [434, 273, 444], [462, 191, 917], [474, 236, 605], [924, 192, 348], [515, 15, 128], [398, 609, 300], [608, 627, 296], [289, 624, 427], [ 16, 448, 70], [280, 329, 492], [186, 448, 444], [709, 27, 239], [566, 472, 535], [395, 737, 535], [666, 108, 512], [398, 788, 762], [187, 46, 733], [689, 389, 690], [717, 350, 106], [243, 988, 623], [ 13, 950, 830], [247, 379, 679], [654, 150, 272], [157, 229, 213], [710, 232, 314], [585, 591, 948], [193, 624, 781], [504, 553, 685], [135, 76, 444], [998, 845, 416], [901, 917, 69], [885, 266, 328], [ 32, 236, 487], [877, 223, 312], [602, 264, 297], [429, 852, 180], [558, 833, 380], [579, 341, 829], [708, 823, 603], [480, 625, 551], [168, 995, 465], [ 24, 236, 898], [180, 770, 985], [827, 126, 352], [790, 491, 324], [198, 379, 105], [953, 609, 224], [793, 519, 389], [988, 303, 169], [636, 575, 937], [460, 869, 500], [859, 552, 819], [647, 650, 366], [838, 643, 233], [223, 170, 244], [689, 381, 542], [ 15, 293, 371], [696, 443, 796], [549, 128, 525], [919, 719, 231], [651, 599, 417], [413, 80, 413], [864, 940, 344], [753, 989, 342], [583, 816, 28], [399, 818, 894], [522, 1, 884], [105, 122, 148], [ 2, 868, 301], [100, 945, 306], [990, 516, 458], [604, 484, 27], [587, 36, 468], [774, 726, 241], [931, 993, 277], [908, 406, 352], [783, 586, 706], [760, 27, 469], [ 42, 611, 958], [ 72, 118, 399], [526, 638, 55], [598, 737, 392], [134, 84, 825], [734, 804, 273], [600, 778, 888], [788, 539, 691], [ 57, 854, 592], [824, 629, 286], [359, 24, 824], [548, 857, 646], [820, 831, 194], [ 29, 842, 939], [966, 133, 201], [992, 709, 970], [357, 44, 29], [320, 649, 356], [ 35, 611, 379], [407, 894, 581], [408, 940, 680], [652, 367, 124], [630, 200, 182], [652, 271, 828], [ 65, 296, 786], [821, 42, 341], [ 84, 24, 562], [894, 29, 500], [739, 799, 310], [289, 461, 385], [540, 731, 430], [393, 303, 389], [756, 560, 731], [637, 470, 761], [105, 314, 202], [339, 437, 717], [256, 526, 810], [639, 382, 381], [ 11, 289, 290], [638, 450, 336], [602, 415, 901], [671, 494, 718], [460, 507, 186], [596, 160, 528], [766, 811, 389], [319, 955, 281], [ 24, 317, 562], [489, 870, 295], [514, 924, 477], [386, 887, 49], [479, 940, 432], [558, 523, 416], [343, 53, 46], [542, 803, 597], [696, 784, 565], [474, 495, 650], [613, 692, 465], [352, 841, 199], [911, 927, 640], [273, 693, 512], [701, 468, 597], [144, 915, 630], [949, 967, 185], [952, 293, 538], [642, 426, 249], [788, 408, 678], [457, 32, 579], [571, 462, 686], [650, 752, 651], [260, 681, 182], [158, 89, 312], [693, 336, 517], [812, 355, 634], [216, 507, 591], [643, 520, 310], [769, 18, 896], [630, 852, 677], [566, 912, 185], [643, 621, 739], [433, 347, 52], [691, 413, 758], [262, 458, 761], [882, 877, 576], [914, 254, 194], [407, 919, 511], [826, 345, 490], [551, 187, 611], [501, 163, 507], [ 59, 749, 708], [364, 502, 718], [390, 317, 38], [316, 77, 424], [400, 834, 339], [296, 868, 102], [360, 533, 38], [326, 607, 529], [442, 962, 544], [773, 371, 300], [ 22, 6, 300], [789, 378, 386], [643, 461, 14], [486, 312, 75], [901, 428, 73], [275, 734, 871], [384, 793, 475], [197, 59, 798], [662, 682, 342], [812, 638, 459], [461, 59, 642], [895, 253, 990], [693, 128, 596], [415, 270, 537], [587, 193, 575], [265, 644, 638], [745, 661, 61], [465, 712, 251], [269, 617, 285], [257, 958, 442], [387, 120, 612], [776, 833, 198], [734, 948, 726], [946, 539, 878], [ 58, 776, 787], [970, 235, 143], [129, 875, 350], [561, 999, 180], [496, 609, 390], [460, 184, 184], [618, 137, 25], [866, 189, 170], [959, 997, 911], [631, 636, 728], [466, 947, 468], [ 76, 708, 913], [ 70, 15, 811], [ 65, 713, 307], [110, 503, 597], [776, 808, 944], [854, 330, 755], [978, 207, 896], [850, 835, 978], [378, 937, 657], [403, 421, 492], [716, 530, 63], [854, 249, 518], [657, 998, 958], [355, 921, 346], [761, 267, 642], [980, 83, 943], [691, 726, 115], [342, 724, 842], [859, 144, 504], [978, 822, 631], [198, 929, 453], [657, 423, 603], [687, 450, 417], [297, 44, 260], [158, 460, 781], [ 29, 108, 744], [136, 486, 409], [941, 659, 831], [ 71, 606, 640], [908, 251, 372], [403, 180, 857], [458, 598, 52], [184, 594, 880], [ 38, 861, 395], [302, 850, 883], [262, 580, 667], [ 2, 905, 843], [474, 825, 794], [473, 209, 96], [926, 833, 585], [903, 119, 532], [ 23, 712, 831], [875, 558, 406], [146, 635, 851], [844, 703, 511], [900, 530, 612], [824, 21, 356], [746, 511, 721], [737, 445, 326], [644, 162, 309], [892, 291, 17], [105, 581, 795], [318, 869, 402], [408, 289, 535], [656, 444, 83], [647, 754, 133], [ 43, 901, 205], [386, 420, 766], [549, 90, 859], [756, 436, 188], [664, 491, 753], [700, 402, 573], [403, 590, 189], [258, 982, 20], [ 4, 553, 529], [264, 718, 538], [206, 647, 136], [257, 860, 279], [338, 449, 249], [421, 569, 865], [188, 640, 124], [487, 538, 796], [276, 358, 748], [269, 260, 625], [ 83, 106, 309], [496, 340, 467], [456, 953, 179], [461, 643, 367], [411, 722, 222], [519, 763, 677], [550, 39, 539], [135, 828, 760], [979, 742, 988], [868, 428, 315], [423, 535, 869], [677, 757, 875], [853, 415, 618], [591, 425, 937], [585, 896, 318], [207, 695, 782], [200, 904, 131], [ 95, 563, 623], [176, 675, 532], [493, 704, 628], [707, 685, 521], [690, 484, 543], [584, 766, 673], [667, 933, 617], [276, 416, 577], [808, 966, 321], [327, 875, 145], [660, 722, 453], [769, 544, 355], [ 83, 391, 382], [837, 184, 553], [111, 352, 193], [ 67, 385, 397], [127, 100, 475], [167, 121, 87], [621, 84, 120], [592, 110, 124], [476, 484, 664], [646, 435, 664], [929, 385, 129], [371, 31, 282], [570, 442, 547], [298, 433, 796], [682, 807, 556], [629, 869, 112], [141, 661, 444], [246, 498, 865], [605, 545, 105], [618, 524, 898], [728, 826, 402], [976, 826, 883], [304, 8, 714], [211, 644, 195], [752, 978, 580], [556, 493, 603], [517, 486, 92], [ 77, 111, 153], [518, 506, 227], [ 72, 281, 637], [764, 717, 633], [696, 727, 639], [463, 375, 93], [258, 772, 590], [266, 460, 593], [886, 950, 90], [699, 747, 433], [950, 411, 516], [372, 990, 673], [ 69, 319, 843], [333, 679, 523], [394, 606, 175], [640, 923, 772], [893, 657, 638], [563, 285, 244], [874, 579, 433], [387, 758, 253], [389, 114, 809], [736, 269, 738], [345, 173, 126], [248, 793, 502], [422, 271, 583], [399, 528, 654], [825, 956, 348], [822, 378, 52], [ 7, 658, 313], [729, 371, 395], [553, 267, 475], [624, 287, 671], [806, 34, 693], [254, 201, 711], [667, 234, 785], [875, 934, 782], [107, 45, 809], [967, 946, 30], [443, 882, 753], [554, 808, 536], [876, 672, 580], [482, 72, 824], [559, 645, 766], [784, 597, 76], [495, 619, 558], [323, 879, 460], [178, 829, 454], [ 12, 230, 592], [ 90, 283, 832], [ 81, 203, 452], [201, 978, 785], [643, 869, 591], [647, 180, 854], [343, 624, 137], [744, 771, 278], [717, 272, 303], [304, 298, 799], [107, 418, 960], [353, 378, 798], [544, 642, 606], [475, 300, 383], [445, 801, 935], [778, 582, 638], [938, 608, 375], [342, 481, 512], [666, 72, 708], [349, 725, 780], [368, 797, 163], [342, 815, 441], [167, 959, 681], [499, 199, 813], [475, 461, 495], [354, 462, 532], [390, 730, 369], [202, 623, 877], [656, 139, 883], [495, 666, 8], [348, 955, 976], [998, 356, 906], [725, 645, 938], [353, 539, 438], [982, 470, 636], [651, 140, 906], [895, 706, 538], [895, 721, 203], [158, 26, 649], [489, 249, 520], [320, 157, 751], [810, 274, 812], [327, 315, 921], [639, 56, 738], [941, 360, 442], [117, 419, 127], [167, 535, 403], [118, 834, 388], [ 97, 644, 669], [390, 330, 691], [339, 469, 119], [164, 434, 309], [777, 876, 305], [668, 893, 507], [946, 326, 440], [822, 645, 197], [339, 480, 252], [ 75, 569, 274], [548, 378, 698], [617, 548, 817], [725, 752, 282], [850, 763, 510], [167, 9, 642], [641, 927, 895], [201, 870, 909], [744, 614, 678], [ 44, 16, 322], [127, 164, 930], [163, 163, 672], [945, 865, 251], [647, 817, 352], [315, 69, 100], [ 66, 973, 330], [450, 972, 211], [401, 38, 225], [561, 765, 753], [554, 753, 193], [222, 13, 800], [124, 178, 456], [475, 703, 602], [420, 659, 990], [487, 94, 748], [578, 284, 577], [776, 355, 190], [194, 801, 566], [ 42, 124, 401], [179, 871, 669], [303, 123, 957], [596, 503, 820], [846, 424, 985], [522, 882, 254], [835, 811, 405], [796, 94, 209], [185, 355, 394], [387, 145, 223], [300, 240, 395], [381, 826, 899], [503, 868, 606], [121, 675, 467], [159, 456, 724], [ 28, 477, 233], [165, 43, 566], [159, 404, 26], [969, 413, 725], [927, 389, 733], [720, 345, 38], [752, 197, 879], [219, 196, 866], [583, 195, 84], [654, 996, 364], [234, 941, 298], [136, 890, 732], [147, 296, 874], [245, 948, 627], [633, 404, 794], [443, 689, 477], [819, 923, 324], [391, 821, 683], [774, 255, 339], [684, 856, 391], [751, 420, 608], [594, 884, 207], [280, 903, 472], [365, 916, 620], [421, 1, 760], [ 66, 913, 227], [ 73, 631, 787], [471, 266, 393], [469, 629, 525], [534, 210, 781], [765, 198, 630], [654, 236, 771], [939, 865, 265], [362, 849, 243], [670, 22, 225], [269, 644, 843], [ 30, 586, 15], [266, 178, 849], [237, 547, 926], [908, 33, 574], [788, 525, 895], [717, 448, 413], [951, 4, 254], [931, 447, 158], [254, 856, 371], [941, 803, 322], [697, 678, 99], [339, 508, 155], [958, 608, 661], [639, 356, 692], [121, 320, 969], [222, 47, 76], [130, 273, 957], [243, 85, 734], [696, 302, 809], [665, 375, 287] ]
data = [[775, 785, 361], [622, 375, 125], [297, 839, 375], [245, 38, 891], [503, 463, 849], [731, 482, 759], [29, 734, 734], [245, 771, 269], [261, 315, 904], [669, 96, 581], [570, 745, 156], [124, 678, 684], [472, 360, 73], [174, 251, 926], [406, 408, 976], [413, 238, 571], [375, 554, 22], [211, 379, 590], [271, 821, 847], [696, 253, 116], [513, 972, 959], [539, 557, 752], [168, 362, 550], [690, 236, 284], [434, 91, 818], [859, 393, 779], [620, 313, 56], [188, 983, 783], [799, 900, 573], [932, 359, 565], [357, 670, 69], [525, 71, 52], [640, 654, 43], [695, 781, 907], [676, 680, 938], [63, 507, 570], [985, 492, 587], [984, 34, 333], [25, 489, 399], [470, 158, 43], [715, 491, 617], [508, 412, 607], [365, 446, 743], [504, 189, 378], [225, 424, 517], [473, 45, 649], [847, 927, 424], [455, 889, 697], [64, 230, 846], [579, 368, 881], [639, 536, 74], [433, 803, 943], [14, 629, 963], [432, 481, 136], [781, 625, 323], [836, 215, 201], [620, 614, 366], [801, 679, 673], [745, 376, 326], [891, 957, 751], [64, 430, 347], [784, 534, 237], [740, 485, 470], [570, 894, 790], [905, 979, 90], [571, 526, 716], [810, 602, 259], [20, 41, 648], [816, 566, 848], [891, 883, 616], [801, 797, 341], [99, 119, 584], [175, 40, 994], [8, 234, 831], [184, 254, 958], [625, 999, 945], [326, 385, 266], [475, 644, 785], [345, 769, 650], [427, 410, 680], [689, 887, 40], [380, 109, 842], [342, 640, 785], [164, 546, 554], [843, 871, 419], [873, 687, 74], [84, 192, 465], [186, 777, 83], [180, 130, 726], [315, 860, 652], [88, 273, 735], [859, 684, 791], [806, 655, 299], [763, 409, 636], [310, 532, 897], [891, 163, 855], [631, 200, 986], [104, 559, 294], [555, 679, 989], [770, 437, 935], [997, 189, 711], [830, 300, 983], [566, 325, 793], [7, 694, 911], [574, 490, 138], [596, 230, 973], [855, 377, 552], [969, 150, 518], [453, 653, 525], [753, 556, 47], [858, 509, 551], [103, 545, 325], [660, 215, 284], [566, 509, 591], [647, 97, 650], [993, 597, 775], [970, 566, 802], [242, 922, 349], [693, 932, 502], [872, 267, 657], [526, 87, 944], [395, 85, 188], [134, 129, 901], [56, 244, 785], [1, 733, 300], [55, 698, 552], [372, 933, 480], [548, 459, 792], [631, 653, 983], [443, 320, 23], [555, 117, 715], [665, 268, 704], [804, 899, 736], [654, 823, 13], [441, 250, 736], [229, 324, 580], [41, 389, 857], [215, 103, 753], [933, 311, 835], [955, 234, 744], [113, 141, 315], [790, 130, 235], [464, 464, 129], [328, 386, 315], [787, 735, 301], [839, 744, 299], [77, 119, 23], [407, 321, 190], [968, 962, 904], [653, 752, 732], [962, 145, 723], [175, 452, 717], [868, 474, 195], [10, 273, 943], [308, 388, 626], [296, 133, 647], [851, 474, 336], [839, 777, 975], [514, 651, 867], [949, 947, 886], [802, 92, 113], [167, 938, 941], [840, 627, 166], [825, 72, 754], [166, 661, 677], [759, 71, 279], [705, 70, 113], [849, 4, 295], [563, 679, 588], [343, 76, 636], [842, 669, 45], [892, 597, 431], [26, 864, 580], [889, 509, 641], [696, 267, 506], [608, 778, 297], [293, 867, 667], [662, 469, 97], [243, 184, 809], [785, 434, 715], [691, 568, 759], [599, 4, 164], [444, 566, 816], [486, 145, 595], [787, 41, 538], [953, 151, 842], [861, 877, 759], [228, 972, 678], [846, 114, 915], [253, 41, 621], [59, 989, 405], [222, 948, 665], [478, 631, 364], [524, 717, 175], [752, 94, 474], [47, 421, 419], [113, 510, 343], [99, 733, 667], [787, 651, 708], [703, 557, 486], [489, 637, 702], [510, 287, 529], [483, 308, 545], [454, 177, 87], [433, 735, 242], [638, 734, 172], [208, 702, 285], [999, 157, 251], [776, 76, 341], [689, 164, 553], [477, 938, 456], [45, 848, 863], [466, 255, 644], [578, 396, 93], [471, 419, 368], [411, 27, 320], [317, 291, 732], [303, 42, 605], [597, 313, 473], [70, 419, 120], [101, 440, 745], [35, 176, 656], [236, 329, 198], [74, 296, 40], [272, 78, 233], [864, 404, 510], [37, 368, 531], [828, 35, 50], [191, 272, 396], [238, 548, 387], [129, 527, 13], [464, 600, 194], [385, 42, 341], [81, 596, 432], [589, 663, 943], [256, 704, 723], [671, 152, 505], [873, 532, 364], [758, 755, 202], [378, 621, 563], [735, 463, 555], [806, 910, 409], [809, 897, 276], [546, 755, 608], [609, 852, 79], [279, 133, 527], [106, 696, 980], [63, 981, 360], [90, 440, 832], [127, 860, 495], [714, 395, 480], [815, 485, 59], [792, 91, 507], [249, 524, 138], [567, 452, 486], [923, 544, 768], [913, 253, 767], [456, 582, 293], [706, 507, 577], [187, 619, 644], [569, 978, 602], [88, 886, 291], [448, 712, 211], [517, 815, 258], [743, 397, 816], [977, 793, 795], [847, 905, 668], [690, 869, 162], [426, 541, 257], [637, 586, 272], [82, 950, 821], [785, 936, 350], [812, 31, 490], [318, 253, 159], [515, 688, 479], [423, 855, 407], [931, 830, 651], [496, 241, 28], [491, 924, 624], [864, 966, 133], [171, 438, 712], [736, 867, 734], [551, 548, 267], [288, 455, 474], [557, 622, 273], [494, 74, 507], [541, 628, 390], [288, 583, 310], [411, 63, 353], [487, 527, 295], [520, 567, 536], [739, 816, 848], [349, 681, 269], [898, 902, 676], [647, 759, 892], [573, 512, 75], [186, 252, 895], [804, 320, 772], [730, 934, 107], [198, 651, 774], [625, 535, 985], [568, 499, 235], [159, 42, 837], [854, 617, 695], [34, 299, 670], [823, 733, 41], [830, 615, 789], [825, 652, 562], [697, 105, 504], [114, 103, 540], [18, 141, 106], [94, 121, 479], [859, 774, 177], [464, 873, 208], [790, 125, 305], [982, 586, 811], [521, 386, 478], [916, 329, 620], [764, 91, 351], [526, 684, 103], [314, 749, 283], [510, 226, 378], [160, 269, 278], [638, 368, 120], [616, 540, 475], [863, 637, 89], [744, 172, 445], [856, 391, 269], [768, 276, 634], [940, 610, 820], [289, 254, 649], [254, 364, 98], [304, 613, 620], [164, 652, 257], [890, 74, 483], [813, 640, 710], [884, 99, 735], [707, 881, 380], [954, 983, 971], [487, 911, 275], [256, 920, 43], [384, 772, 313], [863, 120, 903], [703, 821, 82], [765, 731, 957], [55, 935, 516], [162, 785, 801], [140, 161, 927], [460, 139, 84], [926, 139, 965], [764, 3, 976], [765, 487, 42], [377, 835, 277], [897, 734, 256], [345, 320, 55], [515, 755, 504], [615, 623, 562], [412, 280, 6], [382, 392, 468], [365, 625, 461], [542, 406, 610], [360, 200, 801], [562, 221, 627], [556, 557, 141], [372, 231, 212], [523, 457, 272], [80, 701, 676], [940, 59, 871], [906, 695, 987], [715, 922, 573], [618, 446, 552], [196, 849, 62], [772, 867, 608], [735, 377, 418], [676, 607, 236], [25, 447, 830], [187, 270, 738], [214, 175, 990], [438, 790, 816], [456, 396, 534], [220, 628, 356], [384, 935, 215], [377, 593, 802], [566, 651, 650], [648, 529, 999], [128, 884, 472], [688, 951, 661], [312, 722, 722], [48, 526, 696], [266, 347, 903], [698, 21, 354], [933, 404, 570], [303, 417, 685], [46, 562, 897], [566, 931, 14], [539, 747, 911], [374, 623, 743], [868, 353, 513], [927, 903, 481], [207, 765, 560], [351, 956, 215], [540, 945, 512], [362, 322, 651], [820, 555, 190], [548, 301, 467], [405, 931, 842], [598, 347, 150], [276, 971, 814], [450, 480, 361], [577, 538, 493], [139, 104, 181], [716, 233, 697], [494, 647, 287], [511, 782, 575], [809, 728, 107], [895, 167, 85], [741, 746, 141], [23, 115, 83], [173, 147, 549], [191, 208, 581], [313, 356, 284], [357, 393, 123], [60, 322, 363], [830, 87, 661], [403, 711, 713], [433, 651, 101], [783, 738, 792], [574, 821, 764], [705, 214, 263], [256, 243, 334], [341, 152, 444], [520, 140, 131], [975, 461, 313], [319, 441, 161], [791, 47, 309], [228, 973, 235], [583, 305, 398], [389, 876, 277], [551, 974, 351], [822, 786, 876], [364, 347, 874], [523, 130, 173], [806, 90, 462], [304, 146, 402], [748, 760, 239], [164, 345, 704], [833, 817, 628], [239, 739, 640], [284, 296, 234], [127, 711, 415], [435, 590, 402], [480, 250, 914], [282, 379, 914], [547, 845, 267], [922, 795, 324], [600, 500, 447], [342, 464, 53], [404, 341, 143], [641, 129, 90], [375, 730, 138], [263, 32, 124], [450, 749, 251], [588, 697, 89], [688, 431, 603], [156, 614, 617], [604, 259, 349], [475, 282, 45], [572, 197, 308], [743, 749, 686], [770, 811, 907], [117, 543, 845], [41, 179, 766], [147, 555, 742], [130, 410, 169], [476, 62, 627], [652, 879, 240], [678, 852, 508], [953, 795, 413], [699, 597, 444], [324, 577, 846], [919, 79, 727], [908, 719, 125], [128, 776, 714], [299, 256, 118], [513, 222, 115], [624, 75, 181], [1, 605, 162], [55, 106, 230], [58, 672, 286], [639, 558, 549], [150, 662, 435], [662, 695, 222], [461, 173, 344], [428, 354, 647], [56, 405, 653], [699, 631, 995], [967, 608, 269], [365, 853, 794], [768, 606, 943], [413, 601, 128], [362, 427, 919], [735, 448, 566], [276, 354, 377], [604, 657, 544], [913, 192, 592], [811, 762, 62], [120, 720, 606], [618, 232, 392], [85, 19, 764], [603, 241, 541], [993, 997, 840], [818, 894, 266], [247, 305, 682], [280, 964, 511], [559, 967, 455], [531, 38, 674], [878, 731, 684], [783, 156, 390], [617, 742, 604], [370, 770, 896], [592, 667, 353], [222, 921, 736], [741, 508, 285], [759, 395, 156], [37, 128, 254], [209, 631, 716], [237, 423, 613], [65, 856, 439], [942, 526, 288], [862, 811, 341], [753, 840, 59], [369, 67, 907], [817, 947, 802], [768, 945, 137], [356, 557, 207], [716, 9, 205], [361, 558, 1], [310, 889, 719], [97, 128, 887], [361, 776, 873], [86, 181, 892], [284, 865, 808], [218, 859, 279], [299, 649, 624], [542, 583, 624], [617, 66, 48], [921, 459, 75], [921, 672, 759], [800, 345, 814], [572, 975, 685], [720, 980, 867], [522, 135, 267], [139, 376, 86], [362, 399, 585], [330, 206, 511], [419, 194, 679], [293, 374, 3], [560, 272, 676], [224, 926, 717], [685, 927, 347], [555, 786, 943], [591, 776, 538], [326, 835, 471], [635, 67, 464], [276, 916, 913], [304, 965, 2], [50, 110, 912], [893, 200, 307], [445, 248, 596], [725, 128, 681], [279, 602, 888], [7, 204, 766], [284, 429, 191], [264, 503, 351], [531, 335, 140], [381, 220, 292], [518, 905, 824], [416, 477, 600], [405, 663, 511], [531, 92, 321], [824, 131, 534], [409, 113, 431], [12, 192, 485], [864, 557, 391], [858, 390, 756], [28, 465, 231], [188, 216, 825], [177, 316, 910], [766, 41, 329], [202, 105, 219], [787, 125, 542], [639, 108, 5], [639, 10, 525], [17, 105, 532], [586, 498, 918], [630, 389, 19], [317, 361, 903], [185, 575, 708], [679, 532, 355], [851, 367, 844], [775, 68, 120], [644, 45, 194], [802, 44, 242], [852, 214, 601], [595, 525, 281], [258, 450, 415], [534, 121, 561], [117, 33, 620], [576, 147, 318], [217, 953, 365], [863, 686, 803], [751, 694, 680], [502, 669, 546], [385, 204, 399], [740, 760, 650], [105, 567, 227], [526, 574, 378], [496, 858, 216], [248, 475, 19], [790, 358, 887], [556, 713, 866], [348, 334, 937], [364, 364, 88], [396, 58, 915], [871, 418, 645], [438, 507, 449], [967, 924, 960], [435, 153, 47], [831, 861, 835], [787, 958, 832], [376, 231, 602], [487, 528, 782], [485, 532, 607], [820, 96, 256], [856, 177, 549], [302, 240, 751], [146, 412, 332], [268, 715, 463], [309, 584, 399], [939, 548, 465], [966, 854, 412], [517, 385, 574], [425, 809, 919], [88, 796, 924], [468, 317, 287], [195, 131, 961], [10, 485, 229], [190, 374, 827], [573, 178, 842], [575, 255, 358], [220, 359, 713], [401, 853, 206], [736, 904, 667], [450, 209, 798], [865, 42, 300], [806, 373, 182], [383, 403, 258], [397, 51, 691], [492, 146, 568], [814, 179, 584], [545, 851, 182], [606, 135, 208], [135, 934, 183], [733, 365, 561], [215, 97, 642], [617, 418, 209], [641, 297, 106], [400, 876, 246], [399, 665, 156], [424, 20, 222], [954, 860, 194], [930, 875, 34], [883, 469, 376], [111, 576, 753], [995, 515, 461], [535, 380, 786], [117, 578, 780], [646, 803, 965], [243, 951, 886], [563, 935, 879], [520, 91, 879], [390, 332, 402], [955, 471, 221], [810, 398, 527], [312, 876, 131], [256, 371, 527], [293, 945, 501], [724, 900, 650], [798, 526, 908], [199, 510, 377], [285, 338, 780], [729, 157, 584], [866, 259, 438], [91, 680, 717], [982, 618, 786], [918, 255, 178], [66, 257, 416], [288, 223, 81], [237, 405, 404], [597, 762, 518], [671, 661, 39], [976, 431, 502], [524, 337, 919], [524, 194, 343], [23, 167, 623], [882, 993, 129], [741, 572, 465], [694, 830, 394], [353, 846, 895], [312, 254, 903], [52, 614, 101], [300, 513, 706], [976, 310, 698], [929, 736, 22], [732, 248, 113], [816, 471, 405], [230, 466, 355], [749, 854, 492], [956, 286, 554], [833, 928, 239], [334, 883, 528], [782, 968, 977], [715, 608, 898], [264, 576, 100], [530, 705, 344], [779, 189, 245], [560, 692, 658], [550, 325, 931], [22, 757, 277], [860, 962, 567], [695, 542, 611], [227, 936, 116], [812, 696, 604], [889, 520, 282], [512, 180, 350], [735, 582, 392], [511, 400, 667], [754, 871, 309], [899, 133, 582], [986, 66, 309], [186, 183, 367], [543, 242, 522], [132, 255, 887], [538, 225, 934], [57, 276, 438], [452, 396, 382], [501, 608, 195], [292, 741, 619], [69, 671, 801], [331, 731, 279], [485, 350, 380], [81, 926, 182], [513, 834, 298], [165, 801, 799], [204, 426, 521], [245, 650, 330], [716, 716, 155], [693, 699, 658], [305, 69, 710], [661, 744, 698], [599, 327, 957], [577, 593, 903], [924, 117, 176], [949, 808, 323], [267, 710, 257], [91, 683, 927], [404, 262, 918], [347, 716, 109], [155, 266, 483], [142, 676, 512], [216, 501, 103], [923, 110, 424], [856, 329, 617], [229, 332, 231], [466, 803, 573], [498, 388, 827], [38, 788, 587], [770, 367, 435], [736, 584, 445], [93, 569, 834], [65, 948, 479], [172, 630, 581], [239, 369, 396], [820, 270, 656], [32, 515, 348], [803, 324, 969], [70, 188, 635], [219, 766, 279], [166, 736, 640], [257, 604, 851], [555, 616, 822], [589, 345, 165], [166, 196, 64], [909, 185, 700], [870, 119, 693], [20, 565, 737], [680, 198, 244], [700, 486, 825], [194, 812, 67], [236, 756, 407], [64, 905, 344], [92, 755, 905], [748, 349, 681], [707, 781, 811], [505, 50, 456], [471, 889, 672], [35, 891, 334], [899, 411, 164], [663, 459, 232], [539, 446, 322], [57, 785, 718], [273, 421, 308], [308, 744, 501], [45, 819, 416], [936, 258, 466], [980, 825, 841], [100, 33, 345], [898, 904, 750], [920, 903, 453], [947, 9, 765], [580, 979, 375], [753, 977, 844], [402, 174, 156], [573, 827, 782], [975, 663, 644], [179, 358, 353], [55, 777, 834], [221, 871, 631], [120, 714, 199], [663, 369, 217], [599, 713, 135], [11, 472, 765], [803, 445, 746], [797, 30, 284], [259, 776, 677], [598, 707, 675], [484, 339, 3], [298, 750, 162], [119, 820, 168], [180, 69, 9], [433, 332, 676], [142, 164, 343], [435, 233, 414], [153, 977, 263], [532, 54, 244], [600, 999, 25], [394, 756, 311], [354, 196, 703], [666, 858, 760], [227, 312, 525], [389, 419, 436], [218, 311, 744], [318, 531, 245], [324, 939, 509], [183, 997, 543], [944, 598, 70], [790, 486, 828], [710, 745, 880], [546, 368, 219], [316, 668, 29], [398, 360, 218], [702, 453, 987], [774, 462, 373], [722, 829, 947], [541, 732, 44], [310, 494, 582], [239, 596, 548], [579, 810, 907], [490, 169, 62], [926, 883, 915], [281, 414, 595], [845, 412, 609], [632, 106, 618], [112, 404, 492], [864, 460, 314], [842, 93, 436], [412, 805, 874], [353, 686, 465], [240, 393, 800], [788, 654, 346], [666, 78, 185], [418, 608, 404], [658, 537, 960], [794, 449, 680], [711, 324, 489], [59, 525, 330], [323, 259, 544], [359, 745, 542], [877, 701, 403], [119, 897, 533], [977, 392, 227], [528, 340, 194], [398, 180, 283], [538, 301, 123], [775, 263, 195], [53, 385, 630], [749, 253, 686], [533, 30, 624], [678, 187, 590], [937, 218, 50], [205, 466, 918], [796, 672, 47], [818, 203, 963], [461, 953, 881], [739, 457, 696], [661, 711, 220], [624, 121, 663], [908, 173, 644], [602, 185, 70], [168, 957, 159], [283, 341, 934], [196, 845, 939], [494, 354, 543], [796, 422, 87], [430, 762, 478], [526, 762, 859], [535, 600, 926], [28, 555, 651], [170, 748, 379], [117, 745, 33], [52, 1, 351], [946, 796, 446], [148, 844, 920], [950, 131, 740], [392, 490, 118], [286, 465, 667], [202, 101, 662], [326, 629, 556], [773, 661, 219], [540, 683, 613], [406, 314, 525], [154, 947, 451], [401, 661, 186], [574, 690, 796], [558, 730, 855], [153, 244, 156], [618, 37, 10], [856, 991, 363], [820, 959, 370], [644, 700, 800], [421, 469, 908], [422, 233, 288], [416, 281, 707], [370, 430, 487], [284, 525, 916], [535, 713, 354], [210, 576, 524], [432, 930, 215], [712, 374, 612], [686, 508, 102], [40, 141, 616], [979, 525, 663], [838, 696, 326], [472, 261, 357], [321, 910, 663], [228, 153, 536], [223, 940, 896], [137, 39, 506], [139, 706, 187], [4, 666, 483], [944, 856, 119], [720, 602, 93], [410, 260, 85], [601, 647, 520], [162, 474, 317], [599, 742, 313], [242, 886, 381], [250, 78, 353], [109, 916, 117], [597, 926, 673], [318, 114, 309], [892, 819, 424], [491, 682, 85], [765, 657, 682], [558, 60, 721], [990, 634, 160], [640, 461, 410], [430, 839, 535], [42, 961, 686], [752, 251, 690], [747, 931, 3], [439, 930, 85], [44, 628, 953], [465, 961, 874], [313, 447, 913], [249, 600, 859], [359, 896, 472], [698, 187, 657], [57, 957, 805], [721, 977, 239], [782, 93, 96], [860, 159, 250], [368, 142, 218], [565, 157, 46], [622, 403, 383], [63, 546, 382], [63, 774, 308], [446, 495, 475], [467, 831, 310], [448, 77, 798], [930, 281, 189], [767, 289, 644], [514, 765, 524], [330, 827, 992], [340, 284, 964], [600, 97, 785], [418, 432, 755], [983, 442, 58], [872, 435, 725], [107, 344, 315], [917, 682, 547], [24, 613, 561], [665, 448, 238], [680, 872, 737], [108, 180, 449], [220, 545, 583], [268, 676, 863], [796, 791, 2], [694, 992, 39], [788, 767, 41], [235, 572, 377], [975, 864, 883], [953, 448, 608], [909, 888, 452], [93, 850, 414], [852, 48, 49], [136, 558, 842], [300, 428, 776], [427, 814, 64], [223, 45, 283], [100, 562, 659], [290, 519, 828], [678, 786, 346], [371, 711, 934], [686, 276, 826], [808, 208, 669], [832, 198, 6], [317, 11, 675], [504, 182, 448], [162, 745, 642], [623, 791, 687], [408, 947, 693], [247, 267, 641], [328, 693, 758], [773, 411, 149], [66, 2, 589], [786, 407, 527], [81, 760, 803], [946, 696, 552], [878, 698, 994], [190, 203, 649], [548, 713, 634], [657, 724, 676], [195, 397, 887], [175, 346, 118], [356, 264, 981], [191, 919, 468], [490, 470, 570], [583, 740, 151], [340, 773, 889], [176, 446, 314], [206, 384, 935], [172, 996, 620], [362, 842, 497], [208, 786, 731], [207, 395, 750], [368, 819, 87], [524, 524, 702], [609, 761, 554], [753, 975, 290], [559, 932, 731], [584, 203, 140], [477, 100, 982], [784, 162, 876], [371, 209, 67], [236, 754, 108], [439, 633, 163], [734, 717, 626], [808, 216, 639], [133, 521, 94], [180, 813, 208], [136, 770, 844], [57, 867, 871], [700, 900, 740], [96, 75, 662], [628, 893, 284], [843, 851, 196], [546, 427, 607], [797, 471, 664], [180, 363, 117], [961, 775, 95], [846, 969, 210], [535, 269, 666], [216, 585, 490], [736, 521, 335], [489, 493, 602], [627, 574, 723], [857, 217, 629], [385, 808, 433], [615, 115, 361], [687, 705, 455], [898, 390, 177], [737, 393, 476], [355, 727, 371], [533, 526, 69], [615, 467, 157], [614, 683, 202], [876, 892, 581], [949, 165, 357], [86, 766, 432], [233, 47, 702], [448, 407, 821], [227, 364, 424], [158, 372, 933], [966, 405, 365], [913, 512, 813], [585, 698, 482], [720, 171, 716], [172, 868, 740], [96, 489, 33], [531, 882, 552], [618, 949, 523], [425, 860, 424], [909, 676, 116], [806, 770, 430], [836, 868, 355], [640, 561, 523], [858, 353, 411], [400, 149, 612], [872, 364, 491], [940, 469, 870], [127, 256, 47], [561, 306, 322], [626, 147, 276], [13, 547, 289], [218, 561, 705], [234, 16, 842], [301, 663, 261], [81, 415, 368], [301, 945, 593], [232, 855, 760], [522, 649, 929], [401, 847, 376], [764, 542, 452], [774, 536, 929], [10, 935, 499], [710, 262, 94], [72, 475, 524], [722, 618, 481], [515, 135, 637], [962, 115, 303], [665, 88, 416], [544, 303, 735], [828, 488, 680], [827, 575, 354], [44, 999, 437], [232, 985, 128], [226, 36, 346], [310, 325, 307], [473, 809, 315], [184, 487, 91], [778, 310, 926], [749, 260, 988], [869, 216, 878], [663, 790, 458], [914, 237, 476], [258, 935, 201], [956, 796, 313], [888, 105, 282], [160, 874, 42], [715, 524, 451], [477, 604, 886], [596, 111, 554], [524, 510, 388], [778, 878, 320], [894, 453, 574], [210, 808, 633], [340, 77, 956], [159, 872, 426], [4, 756, 333], [528, 697, 677], [530, 474, 442], [75, 427, 536], [874, 706, 437], [944, 536, 357], [726, 919, 349], [911, 791, 637], [447, 224, 483], [742, 941, 693], [632, 42, 918], [302, 907, 547], [204, 618, 927], [86, 765, 15], [280, 396, 926], [857, 422, 560], [801, 355, 368], [53, 718, 577], [613, 946, 933], [641, 378, 563], [39, 928, 423], [252, 906, 454], [626, 318, 81], [477, 838, 407], [85, 531, 475], [129, 622, 419], [184, 372, 147], [364, 805, 559], [445, 128, 302], [656, 813, 724], [485, 140, 509], [537, 267, 549], [164, 184, 89], [464, 231, 881], [111, 63, 706], [383, 283, 567], [408, 31, 455], [698, 864, 501], [692, 887, 753], [573, 681, 783], [453, 393, 338], [171, 707, 850], [68, 663, 190], [342, 588, 284], [309, 218, 102], [121, 743, 56], [321, 722, 379], [307, 99, 357], [444, 485, 636], [548, 419, 517], [407, 101, 714], [168, 496, 140], [111, 520, 594], [55, 129, 476], [706, 849, 93], [529, 200, 416], [848, 680, 470], [731, 189, 61], [591, 689, 20], [801, 777, 52], [395, 449, 821], [337, 421, 292], [618, 208, 674], [116, 13, 66], [459, 790, 615], [429, 796, 565], [891, 795, 903], [929, 443, 263], [49, 694, 890], [708, 929, 577], [764, 786, 554], [971, 473, 236], [271, 483, 440], [666, 506, 858], [582, 959, 594], [470, 918, 457], [583, 662, 551], [777, 446, 214], [609, 503, 929], [861, 691, 766], [256, 201, 940], [894, 386, 172], [624, 397, 17], [615, 9, 159], [454, 494, 344], [606, 717, 995], [251, 333, 688], [714, 910, 670], [531, 346, 227], [693, 754, 745], [947, 8, 411], [9, 862, 598], [937, 858, 601], [309, 977, 18], [731, 684, 943], [579, 384, 958], [359, 647, 495], [8, 355, 476], [363, 459, 21], [712, 383, 997], [892, 71, 981], [374, 433, 156], [86, 194, 341], [60, 298, 385], [31, 110, 452], [813, 501, 635], [249, 82, 215], [895, 585, 456], [571, 961, 784], [734, 746, 854], [742, 268, 73], [575, 7, 583], [660, 643, 908], [559, 643, 336], [222, 725, 935], [660, 82, 939], [709, 745, 41], [277, 504, 918], [604, 679, 913], [717, 419, 183], [613, 306, 732], [491, 694, 742], [628, 707, 108], [885, 867, 527], [970, 740, 567], [147, 267, 119], [288, 766, 969], [132, 190, 372], [175, 862, 992], [942, 468, 639], [63, 908, 581], [939, 703, 830], [328, 186, 554], [936, 130, 355], [865, 270, 479], [253, 104, 444], [99, 378, 107], [342, 385, 340], [651, 480, 324], [14, 841, 249], [635, 538, 79], [229, 415, 530], [489, 931, 329], [654, 828, 719], [911, 703, 693], [202, 425, 201], [897, 314, 745], [126, 606, 323], [201, 459, 307], [79, 719, 51], [595, 913, 432], [261, 980, 554], [708, 272, 591], [423, 754, 58], [175, 538, 449], [552, 671, 418], [871, 86, 809], [5, 579, 309], [877, 635, 850], [607, 621, 470], [584, 166, 732], [443, 666, 887], [305, 612, 454], [547, 252, 90], [324, 431, 510], [827, 912, 501], [329, 868, 593], [524, 944, 461], [10, 709, 299], [902, 76, 539], [894, 783, 448], [304, 883, 270], [358, 716, 346], [626, 192, 530], [900, 47, 880], [807, 796, 757], [672, 774, 885], [596, 391, 358], [300, 355, 318], [617, 44, 310], [363, 51, 907], [138, 183, 704], [243, 184, 234], [977, 406, 460], [811, 692, 579], [412, 459, 196], [509, 346, 366], [697, 646, 777], [247, 930, 583], [383, 268, 54], [387, 11, 471], [434, 273, 444], [462, 191, 917], [474, 236, 605], [924, 192, 348], [515, 15, 128], [398, 609, 300], [608, 627, 296], [289, 624, 427], [16, 448, 70], [280, 329, 492], [186, 448, 444], [709, 27, 239], [566, 472, 535], [395, 737, 535], [666, 108, 512], [398, 788, 762], [187, 46, 733], [689, 389, 690], [717, 350, 106], [243, 988, 623], [13, 950, 830], [247, 379, 679], [654, 150, 272], [157, 229, 213], [710, 232, 314], [585, 591, 948], [193, 624, 781], [504, 553, 685], [135, 76, 444], [998, 845, 416], [901, 917, 69], [885, 266, 328], [32, 236, 487], [877, 223, 312], [602, 264, 297], [429, 852, 180], [558, 833, 380], [579, 341, 829], [708, 823, 603], [480, 625, 551], [168, 995, 465], [24, 236, 898], [180, 770, 985], [827, 126, 352], [790, 491, 324], [198, 379, 105], [953, 609, 224], [793, 519, 389], [988, 303, 169], [636, 575, 937], [460, 869, 500], [859, 552, 819], [647, 650, 366], [838, 643, 233], [223, 170, 244], [689, 381, 542], [15, 293, 371], [696, 443, 796], [549, 128, 525], [919, 719, 231], [651, 599, 417], [413, 80, 413], [864, 940, 344], [753, 989, 342], [583, 816, 28], [399, 818, 894], [522, 1, 884], [105, 122, 148], [2, 868, 301], [100, 945, 306], [990, 516, 458], [604, 484, 27], [587, 36, 468], [774, 726, 241], [931, 993, 277], [908, 406, 352], [783, 586, 706], [760, 27, 469], [42, 611, 958], [72, 118, 399], [526, 638, 55], [598, 737, 392], [134, 84, 825], [734, 804, 273], [600, 778, 888], [788, 539, 691], [57, 854, 592], [824, 629, 286], [359, 24, 824], [548, 857, 646], [820, 831, 194], [29, 842, 939], [966, 133, 201], [992, 709, 970], [357, 44, 29], [320, 649, 356], [35, 611, 379], [407, 894, 581], [408, 940, 680], [652, 367, 124], [630, 200, 182], [652, 271, 828], [65, 296, 786], [821, 42, 341], [84, 24, 562], [894, 29, 500], [739, 799, 310], [289, 461, 385], [540, 731, 430], [393, 303, 389], [756, 560, 731], [637, 470, 761], [105, 314, 202], [339, 437, 717], [256, 526, 810], [639, 382, 381], [11, 289, 290], [638, 450, 336], [602, 415, 901], [671, 494, 718], [460, 507, 186], [596, 160, 528], [766, 811, 389], [319, 955, 281], [24, 317, 562], [489, 870, 295], [514, 924, 477], [386, 887, 49], [479, 940, 432], [558, 523, 416], [343, 53, 46], [542, 803, 597], [696, 784, 565], [474, 495, 650], [613, 692, 465], [352, 841, 199], [911, 927, 640], [273, 693, 512], [701, 468, 597], [144, 915, 630], [949, 967, 185], [952, 293, 538], [642, 426, 249], [788, 408, 678], [457, 32, 579], [571, 462, 686], [650, 752, 651], [260, 681, 182], [158, 89, 312], [693, 336, 517], [812, 355, 634], [216, 507, 591], [643, 520, 310], [769, 18, 896], [630, 852, 677], [566, 912, 185], [643, 621, 739], [433, 347, 52], [691, 413, 758], [262, 458, 761], [882, 877, 576], [914, 254, 194], [407, 919, 511], [826, 345, 490], [551, 187, 611], [501, 163, 507], [59, 749, 708], [364, 502, 718], [390, 317, 38], [316, 77, 424], [400, 834, 339], [296, 868, 102], [360, 533, 38], [326, 607, 529], [442, 962, 544], [773, 371, 300], [22, 6, 300], [789, 378, 386], [643, 461, 14], [486, 312, 75], [901, 428, 73], [275, 734, 871], [384, 793, 475], [197, 59, 798], [662, 682, 342], [812, 638, 459], [461, 59, 642], [895, 253, 990], [693, 128, 596], [415, 270, 537], [587, 193, 575], [265, 644, 638], [745, 661, 61], [465, 712, 251], [269, 617, 285], [257, 958, 442], [387, 120, 612], [776, 833, 198], [734, 948, 726], [946, 539, 878], [58, 776, 787], [970, 235, 143], [129, 875, 350], [561, 999, 180], [496, 609, 390], [460, 184, 184], [618, 137, 25], [866, 189, 170], [959, 997, 911], [631, 636, 728], [466, 947, 468], [76, 708, 913], [70, 15, 811], [65, 713, 307], [110, 503, 597], [776, 808, 944], [854, 330, 755], [978, 207, 896], [850, 835, 978], [378, 937, 657], [403, 421, 492], [716, 530, 63], [854, 249, 518], [657, 998, 958], [355, 921, 346], [761, 267, 642], [980, 83, 943], [691, 726, 115], [342, 724, 842], [859, 144, 504], [978, 822, 631], [198, 929, 453], [657, 423, 603], [687, 450, 417], [297, 44, 260], [158, 460, 781], [29, 108, 744], [136, 486, 409], [941, 659, 831], [71, 606, 640], [908, 251, 372], [403, 180, 857], [458, 598, 52], [184, 594, 880], [38, 861, 395], [302, 850, 883], [262, 580, 667], [2, 905, 843], [474, 825, 794], [473, 209, 96], [926, 833, 585], [903, 119, 532], [23, 712, 831], [875, 558, 406], [146, 635, 851], [844, 703, 511], [900, 530, 612], [824, 21, 356], [746, 511, 721], [737, 445, 326], [644, 162, 309], [892, 291, 17], [105, 581, 795], [318, 869, 402], [408, 289, 535], [656, 444, 83], [647, 754, 133], [43, 901, 205], [386, 420, 766], [549, 90, 859], [756, 436, 188], [664, 491, 753], [700, 402, 573], [403, 590, 189], [258, 982, 20], [4, 553, 529], [264, 718, 538], [206, 647, 136], [257, 860, 279], [338, 449, 249], [421, 569, 865], [188, 640, 124], [487, 538, 796], [276, 358, 748], [269, 260, 625], [83, 106, 309], [496, 340, 467], [456, 953, 179], [461, 643, 367], [411, 722, 222], [519, 763, 677], [550, 39, 539], [135, 828, 760], [979, 742, 988], [868, 428, 315], [423, 535, 869], [677, 757, 875], [853, 415, 618], [591, 425, 937], [585, 896, 318], [207, 695, 782], [200, 904, 131], [95, 563, 623], [176, 675, 532], [493, 704, 628], [707, 685, 521], [690, 484, 543], [584, 766, 673], [667, 933, 617], [276, 416, 577], [808, 966, 321], [327, 875, 145], [660, 722, 453], [769, 544, 355], [83, 391, 382], [837, 184, 553], [111, 352, 193], [67, 385, 397], [127, 100, 475], [167, 121, 87], [621, 84, 120], [592, 110, 124], [476, 484, 664], [646, 435, 664], [929, 385, 129], [371, 31, 282], [570, 442, 547], [298, 433, 796], [682, 807, 556], [629, 869, 112], [141, 661, 444], [246, 498, 865], [605, 545, 105], [618, 524, 898], [728, 826, 402], [976, 826, 883], [304, 8, 714], [211, 644, 195], [752, 978, 580], [556, 493, 603], [517, 486, 92], [77, 111, 153], [518, 506, 227], [72, 281, 637], [764, 717, 633], [696, 727, 639], [463, 375, 93], [258, 772, 590], [266, 460, 593], [886, 950, 90], [699, 747, 433], [950, 411, 516], [372, 990, 673], [69, 319, 843], [333, 679, 523], [394, 606, 175], [640, 923, 772], [893, 657, 638], [563, 285, 244], [874, 579, 433], [387, 758, 253], [389, 114, 809], [736, 269, 738], [345, 173, 126], [248, 793, 502], [422, 271, 583], [399, 528, 654], [825, 956, 348], [822, 378, 52], [7, 658, 313], [729, 371, 395], [553, 267, 475], [624, 287, 671], [806, 34, 693], [254, 201, 711], [667, 234, 785], [875, 934, 782], [107, 45, 809], [967, 946, 30], [443, 882, 753], [554, 808, 536], [876, 672, 580], [482, 72, 824], [559, 645, 766], [784, 597, 76], [495, 619, 558], [323, 879, 460], [178, 829, 454], [12, 230, 592], [90, 283, 832], [81, 203, 452], [201, 978, 785], [643, 869, 591], [647, 180, 854], [343, 624, 137], [744, 771, 278], [717, 272, 303], [304, 298, 799], [107, 418, 960], [353, 378, 798], [544, 642, 606], [475, 300, 383], [445, 801, 935], [778, 582, 638], [938, 608, 375], [342, 481, 512], [666, 72, 708], [349, 725, 780], [368, 797, 163], [342, 815, 441], [167, 959, 681], [499, 199, 813], [475, 461, 495], [354, 462, 532], [390, 730, 369], [202, 623, 877], [656, 139, 883], [495, 666, 8], [348, 955, 976], [998, 356, 906], [725, 645, 938], [353, 539, 438], [982, 470, 636], [651, 140, 906], [895, 706, 538], [895, 721, 203], [158, 26, 649], [489, 249, 520], [320, 157, 751], [810, 274, 812], [327, 315, 921], [639, 56, 738], [941, 360, 442], [117, 419, 127], [167, 535, 403], [118, 834, 388], [97, 644, 669], [390, 330, 691], [339, 469, 119], [164, 434, 309], [777, 876, 305], [668, 893, 507], [946, 326, 440], [822, 645, 197], [339, 480, 252], [75, 569, 274], [548, 378, 698], [617, 548, 817], [725, 752, 282], [850, 763, 510], [167, 9, 642], [641, 927, 895], [201, 870, 909], [744, 614, 678], [44, 16, 322], [127, 164, 930], [163, 163, 672], [945, 865, 251], [647, 817, 352], [315, 69, 100], [66, 973, 330], [450, 972, 211], [401, 38, 225], [561, 765, 753], [554, 753, 193], [222, 13, 800], [124, 178, 456], [475, 703, 602], [420, 659, 990], [487, 94, 748], [578, 284, 577], [776, 355, 190], [194, 801, 566], [42, 124, 401], [179, 871, 669], [303, 123, 957], [596, 503, 820], [846, 424, 985], [522, 882, 254], [835, 811, 405], [796, 94, 209], [185, 355, 394], [387, 145, 223], [300, 240, 395], [381, 826, 899], [503, 868, 606], [121, 675, 467], [159, 456, 724], [28, 477, 233], [165, 43, 566], [159, 404, 26], [969, 413, 725], [927, 389, 733], [720, 345, 38], [752, 197, 879], [219, 196, 866], [583, 195, 84], [654, 996, 364], [234, 941, 298], [136, 890, 732], [147, 296, 874], [245, 948, 627], [633, 404, 794], [443, 689, 477], [819, 923, 324], [391, 821, 683], [774, 255, 339], [684, 856, 391], [751, 420, 608], [594, 884, 207], [280, 903, 472], [365, 916, 620], [421, 1, 760], [66, 913, 227], [73, 631, 787], [471, 266, 393], [469, 629, 525], [534, 210, 781], [765, 198, 630], [654, 236, 771], [939, 865, 265], [362, 849, 243], [670, 22, 225], [269, 644, 843], [30, 586, 15], [266, 178, 849], [237, 547, 926], [908, 33, 574], [788, 525, 895], [717, 448, 413], [951, 4, 254], [931, 447, 158], [254, 856, 371], [941, 803, 322], [697, 678, 99], [339, 508, 155], [958, 608, 661], [639, 356, 692], [121, 320, 969], [222, 47, 76], [130, 273, 957], [243, 85, 734], [696, 302, 809], [665, 375, 287]]
load("@bazel_tools//tools/build_defs/repo:git.bzl", "git_repository") load("@bazel_tools//tools/build_defs/repo:http.bzl", "http_archive") load("@bazel_tools//tools/build_defs/repo:utils.bzl", "maybe") def upb_deps(): maybe( http_archive, name = "com_google_absl", url = "https://github.com/abseil/abseil-cpp/archive/b9b925341f9e90f5e7aa0cf23f036c29c7e454eb.zip", strip_prefix = "abseil-cpp-b9b925341f9e90f5e7aa0cf23f036c29c7e454eb", sha256 = "bb2a0b57c92b6666e8acb00f4cbbfce6ddb87e83625fb851b0e78db581340617", ) maybe( git_repository, name = "com_google_protobuf", commit = "2f91da585e96a7efe43505f714f03c7716a94ecb", remote = "https://github.com/protocolbuffers/protobuf.git", patches = [ "//bazel:protobuf.patch", ], patch_cmds = [ "rm python/google/protobuf/__init__.py", "rm python/google/protobuf/pyext/__init__.py", "rm python/google/protobuf/internal/__init__.py", ], ) rules_python_version = "740825b7f74930c62f44af95c9a4c1bd428d2c53" # Latest @ 2021-06-23 maybe( http_archive, name = "rules_python", strip_prefix = "rules_python-{}".format(rules_python_version), url = "https://github.com/bazelbuild/rules_python/archive/{}.zip".format(rules_python_version), sha256 = "09a3c4791c61b62c2cbc5b2cbea4ccc32487b38c7a2cc8f87a794d7a659cc742", ) maybe( http_archive, name = "bazel_skylib", strip_prefix = "bazel-skylib-main", urls = ["https://github.com/bazelbuild/bazel-skylib/archive/main.tar.gz"], )
load('@bazel_tools//tools/build_defs/repo:git.bzl', 'git_repository') load('@bazel_tools//tools/build_defs/repo:http.bzl', 'http_archive') load('@bazel_tools//tools/build_defs/repo:utils.bzl', 'maybe') def upb_deps(): maybe(http_archive, name='com_google_absl', url='https://github.com/abseil/abseil-cpp/archive/b9b925341f9e90f5e7aa0cf23f036c29c7e454eb.zip', strip_prefix='abseil-cpp-b9b925341f9e90f5e7aa0cf23f036c29c7e454eb', sha256='bb2a0b57c92b6666e8acb00f4cbbfce6ddb87e83625fb851b0e78db581340617') maybe(git_repository, name='com_google_protobuf', commit='2f91da585e96a7efe43505f714f03c7716a94ecb', remote='https://github.com/protocolbuffers/protobuf.git', patches=['//bazel:protobuf.patch'], patch_cmds=['rm python/google/protobuf/__init__.py', 'rm python/google/protobuf/pyext/__init__.py', 'rm python/google/protobuf/internal/__init__.py']) rules_python_version = '740825b7f74930c62f44af95c9a4c1bd428d2c53' maybe(http_archive, name='rules_python', strip_prefix='rules_python-{}'.format(rules_python_version), url='https://github.com/bazelbuild/rules_python/archive/{}.zip'.format(rules_python_version), sha256='09a3c4791c61b62c2cbc5b2cbea4ccc32487b38c7a2cc8f87a794d7a659cc742') maybe(http_archive, name='bazel_skylib', strip_prefix='bazel-skylib-main', urls=['https://github.com/bazelbuild/bazel-skylib/archive/main.tar.gz'])
base_request = { 'route': { 'type': 'string', 'required': True }, 'type': { 'type': 'string', 'required': True, 'allowed': ['open', 'close'] }, 'stream': { 'type': 'string', 'required': True }, 'session': { 'type': 'string', 'required': False }, 'message': { 'type': 'dict', 'required': True, 'allow_unknown': True, 'schema': {} } }
base_request = {'route': {'type': 'string', 'required': True}, 'type': {'type': 'string', 'required': True, 'allowed': ['open', 'close']}, 'stream': {'type': 'string', 'required': True}, 'session': {'type': 'string', 'required': False}, 'message': {'type': 'dict', 'required': True, 'allow_unknown': True, 'schema': {}}}
set_name(0x801379C4, "PresOnlyTestRoutine__Fv", SN_NOWARN) set_name(0x801379EC, "FeInitBuffer__Fv", SN_NOWARN) set_name(0x80137A14, "FeAddEntry__Fii8TXT_JUSTUsP7FeTableP5CFont", SN_NOWARN) set_name(0x80137A88, "FeAddTable__FP11FeMenuTablei", SN_NOWARN) set_name(0x80137B04, "FeDrawBuffer__Fv", SN_NOWARN) set_name(0x80137EF4, "FeNewMenu__FP7FeTable", SN_NOWARN) set_name(0x80137F74, "FePrevMenu__Fv", SN_NOWARN) set_name(0x80137FF8, "FeSelUp__Fi", SN_NOWARN) set_name(0x801380E0, "FeSelDown__Fi", SN_NOWARN) set_name(0x801381C4, "FeGetCursor__Fv", SN_NOWARN) set_name(0x801381D8, "FeSelect__Fv", SN_NOWARN) set_name(0x8013821C, "FeMainKeyCtrl__FP7CScreen", SN_NOWARN) set_name(0x80138428, "InitDummyMenu__Fv", SN_NOWARN) set_name(0x80138430, "InitFrontEnd__FP9FE_CREATE", SN_NOWARN) set_name(0x801384F0, "FeInitMainMenu__Fv", SN_NOWARN) set_name(0x8013854C, "FeInitNewGameMenu__Fv", SN_NOWARN) set_name(0x80138598, "FeNewGameMenuCtrl__Fv", SN_NOWARN) set_name(0x8013868C, "FeInitPlayer1ClassMenu__Fv", SN_NOWARN) set_name(0x801386FC, "FeInitPlayer2ClassMenu__Fv", SN_NOWARN) set_name(0x8013876C, "FePlayerClassMenuCtrl__Fv", SN_NOWARN) set_name(0x801387B4, "FeDrawChrClass__Fv", SN_NOWARN) set_name(0x80138C50, "FeInitNewP1NameMenu__Fv", SN_NOWARN) set_name(0x80138CA0, "FeInitNewP2NameMenu__Fv", SN_NOWARN) set_name(0x80138CF0, "FeNewNameMenuCtrl__Fv", SN_NOWARN) set_name(0x80139240, "FeCopyPlayerInfoForReturn__Fv", SN_NOWARN) set_name(0x80139310, "FeEnterGame__Fv", SN_NOWARN) set_name(0x80139338, "FeInitLoadMemcardSelect__Fv", SN_NOWARN) set_name(0x801393A0, "FeInitLoadChar1Menu__Fv", SN_NOWARN) set_name(0x8013940C, "FeInitLoadChar2Menu__Fv", SN_NOWARN) set_name(0x80139478, "FeInitDifficultyMenu__Fv", SN_NOWARN) set_name(0x801394BC, "FeDifficultyMenuCtrl__Fv", SN_NOWARN) set_name(0x80139574, "FeInitBackgroundMenu__Fv", SN_NOWARN) set_name(0x801395BC, "FeInitBook1Menu__Fv", SN_NOWARN) set_name(0x80139608, "FeInitBook2Menu__Fv", SN_NOWARN) set_name(0x80139654, "FeBackBookMenuCtrl__Fv", SN_NOWARN) set_name(0x80139850, "PlayDemo__Fv", SN_NOWARN) set_name(0x80139864, "FadeFEOut__FP7CScreen", SN_NOWARN) set_name(0x80139908, "FrontEndTask__FP4TASK", SN_NOWARN) set_name(0x80139CC4, "McMainCharKeyCtrl__Fv", SN_NOWARN) set_name(0x8013A0CC, "DrawFeTwinkle__Fii", SN_NOWARN) set_name(0x8013A18C, "___6Dialog", SN_NOWARN) set_name(0x8013A1B4, "__6Dialog", SN_NOWARN) set_name(0x8013A210, "___7CScreen", SN_NOWARN) set_name(0x8013ADD4, "InitCredits__Fv", SN_NOWARN) set_name(0x8013AE10, "PrintCredits__FPciiiii", SN_NOWARN) set_name(0x8013B630, "DrawCreditsTitle__Fiiiii", SN_NOWARN) set_name(0x8013B6FC, "DrawCreditsSubTitle__Fiiiii", SN_NOWARN) set_name(0x8013B7D8, "DoCredits__Fv", SN_NOWARN) set_name(0x8013BA4C, "PRIM_GetPrim__FPP8POLY_FT4", SN_NOWARN) set_name(0x8013BAC8, "GetCharHeight__5CFontc", SN_NOWARN) set_name(0x8013BB00, "GetCharWidth__5CFontc", SN_NOWARN) set_name(0x8013BB58, "___7CScreen_addr_8013BB58", SN_NOWARN) set_name(0x8013BB78, "GetFr__7TextDati", SN_NOWARN) set_name(0x80140170, "endian_swap__FPUci", SN_NOWARN) set_name(0x801401A4, "to_sjis__Fc", SN_NOWARN) set_name(0x80140224, "to_ascii__FUs", SN_NOWARN) set_name(0x801402A4, "ascii_to_sjis__FPcPUs", SN_NOWARN) set_name(0x80140338, "sjis_to_ascii__FPUsPc", SN_NOWARN) set_name(0x801403C0, "test_hw_event__Fv", SN_NOWARN) set_name(0x80140450, "read_card_directory__Fi", SN_NOWARN) set_name(0x80140688, "test_card_format__Fi", SN_NOWARN) set_name(0x80140718, "checksum_data__FPci", SN_NOWARN) set_name(0x80140754, "delete_card_file__Fii", SN_NOWARN) set_name(0x8014084C, "read_card_file__FiiiPc", SN_NOWARN) set_name(0x80140A04, "format_card__Fi", SN_NOWARN) set_name(0x80140AB4, "write_card_file__FiiPcT2PUcPUsiT4", SN_NOWARN) set_name(0x80140DFC, "new_card__Fi", SN_NOWARN) set_name(0x80140E78, "service_card__Fi", SN_NOWARN) set_name(0x8015B068, "GetFileNumber__FiPc", SN_NOWARN) set_name(0x8015B128, "DoSaveCharacter__FPc", SN_NOWARN) set_name(0x8015B1F0, "DoSaveGame__Fv", SN_NOWARN) set_name(0x8015B2B0, "DoLoadGame__Fv", SN_NOWARN) set_name(0x8015B2F0, "DoFrontEndLoadCharacter__FPc", SN_NOWARN) set_name(0x8015B34C, "McInitLoadCard1Menu__Fv", SN_NOWARN) set_name(0x8015B398, "McInitLoadCard2Menu__Fv", SN_NOWARN) set_name(0x8015B3E4, "ChooseCardLoad__Fv", SN_NOWARN) set_name(0x8015B498, "McInitLoadCharMenu__Fv", SN_NOWARN) set_name(0x8015B4C0, "McInitLoadGameMenu__Fv", SN_NOWARN) set_name(0x8015B51C, "McMainKeyCtrl__Fv", SN_NOWARN) set_name(0x8015B6D8, "ShowAlertBox__Fv", SN_NOWARN) set_name(0x8015B878, "GetLoadStatusMessage__FPc", SN_NOWARN) set_name(0x8015B8F8, "GetSaveStatusMessage__FiPc", SN_NOWARN) set_name(0x8015B9D0, "SetRGB__6DialogUcUcUc", SN_NOWARN) set_name(0x8015B9F0, "SetBack__6Dialogi", SN_NOWARN) set_name(0x8015B9F8, "SetBorder__6Dialogi", SN_NOWARN) set_name(0x8015BA00, "SetOTpos__6Dialogi", SN_NOWARN) set_name(0x8015BA0C, "___6Dialog_addr_8015BA0C", SN_NOWARN) set_name(0x8015BA34, "__6Dialog_addr_8015BA34", SN_NOWARN) set_name(0x8015BA90, "ILoad__Fv", SN_NOWARN) set_name(0x8015BAE4, "LoadQuest__Fi", SN_NOWARN) set_name(0x8015BBAC, "ISave__Fi", SN_NOWARN) set_name(0x8015BC0C, "SaveQuest__Fi", SN_NOWARN) set_name(0x8015BCD8, "PSX_GM_SaveGame__FiPcT1", SN_NOWARN) set_name(0x8015BFA0, "PSX_GM_LoadGame__FUcii", SN_NOWARN) set_name(0x8015C29C, "PSX_CH_LoadGame__Fii", SN_NOWARN) set_name(0x8015C3C4, "PSX_CH_SaveGame__FiPcT1", SN_NOWARN) set_name(0x8015C544, "RestorePads__Fv", SN_NOWARN) set_name(0x8015C604, "StorePads__Fv", SN_NOWARN) set_name(0x8015C6C0, "GetIcon__Fv", SN_NOWARN) set_name(0x8015C6FC, "PSX_OPT_LoadGame__Fii", SN_NOWARN) set_name(0x8015C7A4, "PSX_OPT_SaveGame__Fi", SN_NOWARN) set_name(0x8013A2E4, "CreditsTitle", SN_NOWARN) set_name(0x8013A48C, "CreditsSubTitle", SN_NOWARN) set_name(0x8013A928, "CreditsText", SN_NOWARN) set_name(0x8013AA40, "CreditsTable", SN_NOWARN) set_name(0x8013BC70, "card_dir", SN_NOWARN) set_name(0x8013C170, "card_header", SN_NOWARN) set_name(0x8013BB94, "sjis_table", SN_NOWARN) set_name(0x80141068, "save_buffer", SN_NOWARN) set_name(0x80140FE4, "McLoadGameMenu", SN_NOWARN) set_name(0x80140FC4, "CharFileList", SN_NOWARN) set_name(0x80140FD8, "Classes", SN_NOWARN) set_name(0x80141000, "McLoadCharMenu", SN_NOWARN) set_name(0x8014101C, "McLoadCard1Menu", SN_NOWARN) set_name(0x80141038, "McLoadCard2Menu", SN_NOWARN)
set_name(2148760004, 'PresOnlyTestRoutine__Fv', SN_NOWARN) set_name(2148760044, 'FeInitBuffer__Fv', SN_NOWARN) set_name(2148760084, 'FeAddEntry__Fii8TXT_JUSTUsP7FeTableP5CFont', SN_NOWARN) set_name(2148760200, 'FeAddTable__FP11FeMenuTablei', SN_NOWARN) set_name(2148760324, 'FeDrawBuffer__Fv', SN_NOWARN) set_name(2148761332, 'FeNewMenu__FP7FeTable', SN_NOWARN) set_name(2148761460, 'FePrevMenu__Fv', SN_NOWARN) set_name(2148761592, 'FeSelUp__Fi', SN_NOWARN) set_name(2148761824, 'FeSelDown__Fi', SN_NOWARN) set_name(2148762052, 'FeGetCursor__Fv', SN_NOWARN) set_name(2148762072, 'FeSelect__Fv', SN_NOWARN) set_name(2148762140, 'FeMainKeyCtrl__FP7CScreen', SN_NOWARN) set_name(2148762664, 'InitDummyMenu__Fv', SN_NOWARN) set_name(2148762672, 'InitFrontEnd__FP9FE_CREATE', SN_NOWARN) set_name(2148762864, 'FeInitMainMenu__Fv', SN_NOWARN) set_name(2148762956, 'FeInitNewGameMenu__Fv', SN_NOWARN) set_name(2148763032, 'FeNewGameMenuCtrl__Fv', SN_NOWARN) set_name(2148763276, 'FeInitPlayer1ClassMenu__Fv', SN_NOWARN) set_name(2148763388, 'FeInitPlayer2ClassMenu__Fv', SN_NOWARN) set_name(2148763500, 'FePlayerClassMenuCtrl__Fv', SN_NOWARN) set_name(2148763572, 'FeDrawChrClass__Fv', SN_NOWARN) set_name(2148764752, 'FeInitNewP1NameMenu__Fv', SN_NOWARN) set_name(2148764832, 'FeInitNewP2NameMenu__Fv', SN_NOWARN) set_name(2148764912, 'FeNewNameMenuCtrl__Fv', SN_NOWARN) set_name(2148766272, 'FeCopyPlayerInfoForReturn__Fv', SN_NOWARN) set_name(2148766480, 'FeEnterGame__Fv', SN_NOWARN) set_name(2148766520, 'FeInitLoadMemcardSelect__Fv', SN_NOWARN) set_name(2148766624, 'FeInitLoadChar1Menu__Fv', SN_NOWARN) set_name(2148766732, 'FeInitLoadChar2Menu__Fv', SN_NOWARN) set_name(2148766840, 'FeInitDifficultyMenu__Fv', SN_NOWARN) set_name(2148766908, 'FeDifficultyMenuCtrl__Fv', SN_NOWARN) set_name(2148767092, 'FeInitBackgroundMenu__Fv', SN_NOWARN) set_name(2148767164, 'FeInitBook1Menu__Fv', SN_NOWARN) set_name(2148767240, 'FeInitBook2Menu__Fv', SN_NOWARN) set_name(2148767316, 'FeBackBookMenuCtrl__Fv', SN_NOWARN) set_name(2148767824, 'PlayDemo__Fv', SN_NOWARN) set_name(2148767844, 'FadeFEOut__FP7CScreen', SN_NOWARN) set_name(2148768008, 'FrontEndTask__FP4TASK', SN_NOWARN) set_name(2148768964, 'McMainCharKeyCtrl__Fv', SN_NOWARN) set_name(2148769996, 'DrawFeTwinkle__Fii', SN_NOWARN) set_name(2148770188, '___6Dialog', SN_NOWARN) set_name(2148770228, '__6Dialog', SN_NOWARN) set_name(2148770320, '___7CScreen', SN_NOWARN) set_name(2148773332, 'InitCredits__Fv', SN_NOWARN) set_name(2148773392, 'PrintCredits__FPciiiii', SN_NOWARN) set_name(2148775472, 'DrawCreditsTitle__Fiiiii', SN_NOWARN) set_name(2148775676, 'DrawCreditsSubTitle__Fiiiii', SN_NOWARN) set_name(2148775896, 'DoCredits__Fv', SN_NOWARN) set_name(2148776524, 'PRIM_GetPrim__FPP8POLY_FT4', SN_NOWARN) set_name(2148776648, 'GetCharHeight__5CFontc', SN_NOWARN) set_name(2148776704, 'GetCharWidth__5CFontc', SN_NOWARN) set_name(2148776792, '___7CScreen_addr_8013BB58', SN_NOWARN) set_name(2148776824, 'GetFr__7TextDati', SN_NOWARN) set_name(2148794736, 'endian_swap__FPUci', SN_NOWARN) set_name(2148794788, 'to_sjis__Fc', SN_NOWARN) set_name(2148794916, 'to_ascii__FUs', SN_NOWARN) set_name(2148795044, 'ascii_to_sjis__FPcPUs', SN_NOWARN) set_name(2148795192, 'sjis_to_ascii__FPUsPc', SN_NOWARN) set_name(2148795328, 'test_hw_event__Fv', SN_NOWARN) set_name(2148795472, 'read_card_directory__Fi', SN_NOWARN) set_name(2148796040, 'test_card_format__Fi', SN_NOWARN) set_name(2148796184, 'checksum_data__FPci', SN_NOWARN) set_name(2148796244, 'delete_card_file__Fii', SN_NOWARN) set_name(2148796492, 'read_card_file__FiiiPc', SN_NOWARN) set_name(2148796932, 'format_card__Fi', SN_NOWARN) set_name(2148797108, 'write_card_file__FiiPcT2PUcPUsiT4', SN_NOWARN) set_name(2148797948, 'new_card__Fi', SN_NOWARN) set_name(2148798072, 'service_card__Fi', SN_NOWARN) set_name(2148905064, 'GetFileNumber__FiPc', SN_NOWARN) set_name(2148905256, 'DoSaveCharacter__FPc', SN_NOWARN) set_name(2148905456, 'DoSaveGame__Fv', SN_NOWARN) set_name(2148905648, 'DoLoadGame__Fv', SN_NOWARN) set_name(2148905712, 'DoFrontEndLoadCharacter__FPc', SN_NOWARN) set_name(2148905804, 'McInitLoadCard1Menu__Fv', SN_NOWARN) set_name(2148905880, 'McInitLoadCard2Menu__Fv', SN_NOWARN) set_name(2148905956, 'ChooseCardLoad__Fv', SN_NOWARN) set_name(2148906136, 'McInitLoadCharMenu__Fv', SN_NOWARN) set_name(2148906176, 'McInitLoadGameMenu__Fv', SN_NOWARN) set_name(2148906268, 'McMainKeyCtrl__Fv', SN_NOWARN) set_name(2148906712, 'ShowAlertBox__Fv', SN_NOWARN) set_name(2148907128, 'GetLoadStatusMessage__FPc', SN_NOWARN) set_name(2148907256, 'GetSaveStatusMessage__FiPc', SN_NOWARN) set_name(2148907472, 'SetRGB__6DialogUcUcUc', SN_NOWARN) set_name(2148907504, 'SetBack__6Dialogi', SN_NOWARN) set_name(2148907512, 'SetBorder__6Dialogi', SN_NOWARN) set_name(2148907520, 'SetOTpos__6Dialogi', SN_NOWARN) set_name(2148907532, '___6Dialog_addr_8015BA0C', SN_NOWARN) set_name(2148907572, '__6Dialog_addr_8015BA34', SN_NOWARN) set_name(2148907664, 'ILoad__Fv', SN_NOWARN) set_name(2148907748, 'LoadQuest__Fi', SN_NOWARN) set_name(2148907948, 'ISave__Fi', SN_NOWARN) set_name(2148908044, 'SaveQuest__Fi', SN_NOWARN) set_name(2148908248, 'PSX_GM_SaveGame__FiPcT1', SN_NOWARN) set_name(2148908960, 'PSX_GM_LoadGame__FUcii', SN_NOWARN) set_name(2148909724, 'PSX_CH_LoadGame__Fii', SN_NOWARN) set_name(2148910020, 'PSX_CH_SaveGame__FiPcT1', SN_NOWARN) set_name(2148910404, 'RestorePads__Fv', SN_NOWARN) set_name(2148910596, 'StorePads__Fv', SN_NOWARN) set_name(2148910784, 'GetIcon__Fv', SN_NOWARN) set_name(2148910844, 'PSX_OPT_LoadGame__Fii', SN_NOWARN) set_name(2148911012, 'PSX_OPT_SaveGame__Fi', SN_NOWARN) set_name(2148770532, 'CreditsTitle', SN_NOWARN) set_name(2148770956, 'CreditsSubTitle', SN_NOWARN) set_name(2148772136, 'CreditsText', SN_NOWARN) set_name(2148772416, 'CreditsTable', SN_NOWARN) set_name(2148777072, 'card_dir', SN_NOWARN) set_name(2148778352, 'card_header', SN_NOWARN) set_name(2148776852, 'sjis_table', SN_NOWARN) set_name(2148798568, 'save_buffer', SN_NOWARN) set_name(2148798436, 'McLoadGameMenu', SN_NOWARN) set_name(2148798404, 'CharFileList', SN_NOWARN) set_name(2148798424, 'Classes', SN_NOWARN) set_name(2148798464, 'McLoadCharMenu', SN_NOWARN) set_name(2148798492, 'McLoadCard1Menu', SN_NOWARN) set_name(2148798520, 'McLoadCard2Menu', SN_NOWARN)
def get_ticket_status(ticket_num, ticket_desc_str, e1): status_ticketnum_count = ticket_desc_str.count(ticket_num) if(status_ticketnum_count == 1): status_startpos = ticket_desc_str.index(ticket_num,0,len(ticket_desc_str)) endpos = status_startpos e = 3 while(e != 0): status_endpos = ticket_desc_str.index('</span>',endpos+3,len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 # app_logger.info("end position of Status*+ is " , status_startpos) # app_logger.info("end position of Status*+ is " , status_endpos , "\n") status_str = ticket_desc_str[status_startpos:status_endpos] status = status_str.split('">')[-1] else: endpos = 0 e = 2 while(e != 0): status_startpos = ticket_desc_str.index(ticket_num,endpos,len(ticket_desc_str)) endpos = status_startpos + 3 e -= 1 e1 = e1 endpos = status_startpos while(e1 != 0): status_endpos = ticket_desc_str.index('</span>',endpos+3,len(ticket_desc_str)) endpos = status_endpos + 3 e1 -= 1 status_str = ticket_desc_str[status_startpos:status_endpos] status_str = ticket_desc_str[status_startpos:status_endpos] # ticket_desc status = status_str.split('">')[-1] status = status.strip('\n').strip().lower() return status def get_ticket_details(ticket_num, ticket_desc_str, pos): status_ticketnum_count = ticket_desc_str.count(ticket_num) if(status_ticketnum_count == 1): status_startpos = ticket_desc_str.index(ticket_num,0,len(ticket_desc_str)) endpos = status_startpos e = 3 while(e != 0): status_endpos = ticket_desc_str.index('</span>',endpos+3,len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 # app_logger.info("end position of Status*+ is " , status_startpos) # app_logger.info("end position of Status*+ is " , status_endpos , "\n") status_str = ticket_desc_str[status_startpos:status_endpos] status = status_str.split('">')[-1] else: endpos = 0 e = 2 while(e != 0): status_startpos = ticket_desc_str.index(ticket_num,endpos,len(ticket_desc_str)) endpos = status_startpos + 3 e -= 1 e = pos endpos = status_startpos while(e != 0): status_endpos = ticket_desc_str.index('</span>',endpos+3,len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 # ticket_elements_str = ticket_desc_str[status_startpos:status_endpos] ticket_elements_str = ticket_desc_str[status_startpos:status_endpos] # ticket_desc ticket_elements = ticket_elements_str.split('">')[-1] ticket_elements = ticket_elements.strip('\n').strip().lower() return ticket_elements f = open('pagesource.txt', 'r') ticket_details = f.read() ticket_details e1 =7 print("Priority") print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) print("assigned group") e1 =8 print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) e1 =9 print("assigned to") print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) e1 = 2 while(True): print(get_ticket_details('INCC00008570697', ticket_details, e1), e1)
def get_ticket_status(ticket_num, ticket_desc_str, e1): status_ticketnum_count = ticket_desc_str.count(ticket_num) if status_ticketnum_count == 1: status_startpos = ticket_desc_str.index(ticket_num, 0, len(ticket_desc_str)) endpos = status_startpos e = 3 while e != 0: status_endpos = ticket_desc_str.index('</span>', endpos + 3, len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 status_str = ticket_desc_str[status_startpos:status_endpos] status = status_str.split('">')[-1] else: endpos = 0 e = 2 while e != 0: status_startpos = ticket_desc_str.index(ticket_num, endpos, len(ticket_desc_str)) endpos = status_startpos + 3 e -= 1 e1 = e1 endpos = status_startpos while e1 != 0: status_endpos = ticket_desc_str.index('</span>', endpos + 3, len(ticket_desc_str)) endpos = status_endpos + 3 e1 -= 1 status_str = ticket_desc_str[status_startpos:status_endpos] status_str = ticket_desc_str[status_startpos:status_endpos] status = status_str.split('">')[-1] status = status.strip('\n').strip().lower() return status def get_ticket_details(ticket_num, ticket_desc_str, pos): status_ticketnum_count = ticket_desc_str.count(ticket_num) if status_ticketnum_count == 1: status_startpos = ticket_desc_str.index(ticket_num, 0, len(ticket_desc_str)) endpos = status_startpos e = 3 while e != 0: status_endpos = ticket_desc_str.index('</span>', endpos + 3, len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 status_str = ticket_desc_str[status_startpos:status_endpos] status = status_str.split('">')[-1] else: endpos = 0 e = 2 while e != 0: status_startpos = ticket_desc_str.index(ticket_num, endpos, len(ticket_desc_str)) endpos = status_startpos + 3 e -= 1 e = pos endpos = status_startpos while e != 0: status_endpos = ticket_desc_str.index('</span>', endpos + 3, len(ticket_desc_str)) endpos = status_endpos + 3 e -= 1 ticket_elements_str = ticket_desc_str[status_startpos:status_endpos] ticket_elements = ticket_elements_str.split('">')[-1] ticket_elements = ticket_elements.strip('\n').strip().lower() return ticket_elements f = open('pagesource.txt', 'r') ticket_details = f.read() ticket_details e1 = 7 print('Priority') print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) print('assigned group') e1 = 8 print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) e1 = 9 print('assigned to') print(get_ticket_details('INCC00008570697', ticket_details, e1), e1) e1 = 2 while True: print(get_ticket_details('INCC00008570697', ticket_details, e1), e1)
''' a = Yellow Crystal b = Blue Crystal P = Yellow Ball Q = Green Ball R = Blue Ball ''' a, b = list(map(int, input().split())) P, Q, R = list(map(int, input().split())) # the problem states that P = 2a | Q = ab | R = 3b print(max(2*P+Q-a,0)+max(3*R+Q-b, 0))
""" a = Yellow Crystal b = Blue Crystal P = Yellow Ball Q = Green Ball R = Blue Ball """ (a, b) = list(map(int, input().split())) (p, q, r) = list(map(int, input().split())) print(max(2 * P + Q - a, 0) + max(3 * R + Q - b, 0))
class ResourceDirectoryManager: def addResource (self, fileInfo): raise NotImplementedError def getResourceInfo (self, fileUID): raise NotImplementedError def getResourceList (self): raise NotImplementedError def appendFileInfo2CacheControlFile (self, fileInfo = False): raise NotImplementedError def calculateChunksNumber (self, size): raise NotImplementedError def addHostToResource (self, uid, host): raise NotImplementedError
class Resourcedirectorymanager: def add_resource(self, fileInfo): raise NotImplementedError def get_resource_info(self, fileUID): raise NotImplementedError def get_resource_list(self): raise NotImplementedError def append_file_info2_cache_control_file(self, fileInfo=False): raise NotImplementedError def calculate_chunks_number(self, size): raise NotImplementedError def add_host_to_resource(self, uid, host): raise NotImplementedError
class Solution: def maxIncreaseKeepingSkyline(self, grid: List[List[int]]) -> int: row_maxes = [max(row) for row in grid] col_maxes = [max(col) for col in zip(*grid)] return sum(min(row_maxes[r], col_maxes[c]) - val for r, row in enumerate(grid) for c, val in enumerate(row))
class Solution: def max_increase_keeping_skyline(self, grid: List[List[int]]) -> int: row_maxes = [max(row) for row in grid] col_maxes = [max(col) for col in zip(*grid)] return sum((min(row_maxes[r], col_maxes[c]) - val for (r, row) in enumerate(grid) for (c, val) in enumerate(row)))
def foo(num): for i in range(1,num+1): if(i%105==0): print('Fizz Buzz Fun') elif(i%15==0): print('Fizz Buzz') elif(i%21==0): print('Fizz Fun') elif(i%35==0): print('Buzz Fun') elif(i%3==0): print('Fizz') elif(i%5==0): print('Buzz') elif(i%7==0): print('Fun') else: print(i) if __name__=='__main__': num=50 foo(num)
def foo(num): for i in range(1, num + 1): if i % 105 == 0: print('Fizz Buzz Fun') elif i % 15 == 0: print('Fizz Buzz') elif i % 21 == 0: print('Fizz Fun') elif i % 35 == 0: print('Buzz Fun') elif i % 3 == 0: print('Fizz') elif i % 5 == 0: print('Buzz') elif i % 7 == 0: print('Fun') else: print(i) if __name__ == '__main__': num = 50 foo(num)
def selection_sort(input_list): for i in range(len(input_list)): min_idx = i for j in range(i+1, len(input_list)): if input_list[min_idx] > input_list[j]: min_idx = j input_list[i], input_list[min_idx] = input_list[min_idx], input_list[i] return input_list
def selection_sort(input_list): for i in range(len(input_list)): min_idx = i for j in range(i + 1, len(input_list)): if input_list[min_idx] > input_list[j]: min_idx = j (input_list[i], input_list[min_idx]) = (input_list[min_idx], input_list[i]) return input_list
a = 0 a *= 1 + 3 a += 2 a += a + 20 + 2
a = 0 a *= 1 + 3 a += 2 a += a + 20 + 2
# # PySNMP MIB module HPN-ICF-VOICE-DIAL-CONTROL-MIB (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/HPN-ICF-VOICE-DIAL-CONTROL-MIB # Produced by pysmi-0.3.4 at Wed May 1 13:41:52 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, OctetString, Integer = mibBuilder.importSymbols("ASN1", "ObjectIdentifier", "OctetString", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") ValueSizeConstraint, ConstraintsUnion, ConstraintsIntersection, SingleValueConstraint, ValueRangeConstraint = mibBuilder.importSymbols("ASN1-REFINEMENT", "ValueSizeConstraint", "ConstraintsUnion", "ConstraintsIntersection", "SingleValueConstraint", "ValueRangeConstraint") AbsoluteCounter32, = mibBuilder.importSymbols("DIAL-CONTROL-MIB", "AbsoluteCounter32") hpnicfVoice, = mibBuilder.importSymbols("HPN-ICF-OID-MIB", "hpnicfVoice") InetAddress, InetAddressType = mibBuilder.importSymbols("INET-ADDRESS-MIB", "InetAddress", "InetAddressType") NotificationGroup, ModuleCompliance = mibBuilder.importSymbols("SNMPv2-CONF", "NotificationGroup", "ModuleCompliance") MibScalar, MibTable, MibTableRow, MibTableColumn, ModuleIdentity, TimeTicks, Gauge32, ObjectIdentity, IpAddress, Bits, Counter64, Unsigned32, NotificationType, Counter32, Integer32, MibIdentifier, iso = mibBuilder.importSymbols("SNMPv2-SMI", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "ModuleIdentity", "TimeTicks", "Gauge32", "ObjectIdentity", "IpAddress", "Bits", "Counter64", "Unsigned32", "NotificationType", "Counter32", "Integer32", "MibIdentifier", "iso") RowStatus, TextualConvention, TruthValue, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "RowStatus", "TextualConvention", "TruthValue", "DisplayString") hpnicfVoiceEntityControl = ModuleIdentity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14)) hpnicfVoiceEntityControl.setRevisions(('2009-04-16 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setRevisionsDescriptions(('The initial version of this MIB file.',)) if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setLastUpdated('200904160000Z') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setOrganization('') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setContactInfo('') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setDescription('This MIB file is to provide the definition of voice dial control configuration.') class HpnicfCodecType(TextualConvention, Integer32): description = 'Type of Codec.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12)) namedValues = NamedValues(("g711a", 1), ("g711u", 2), ("g723r53", 3), ("g723r63", 4), ("g729r8", 5), ("g729a", 6), ("g726r16", 7), ("g726r24", 8), ("g726r32", 9), ("g726r40", 10), ("unknown", 11), ("g729br8", 12)) class HpnicfOutBandMode(TextualConvention, Integer32): description = 'Type of OutBandMode.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6)) namedValues = NamedValues(("voice", 1), ("h245AlphaNumeric", 2), ("h225", 3), ("sip", 4), ("nte", 5), ("vofr", 6)) class HpnicfFaxProtocolType(TextualConvention, Integer32): description = 'Type of FaxProtocol.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4)) namedValues = NamedValues(("t38", 1), ("standardt38", 2), ("pcmG711alaw", 3), ("pcmG711ulaw", 4)) class HpnicfFaxBaudrateType(TextualConvention, Integer32): description = 'Type of FaxBaudrate.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6)) namedValues = NamedValues(("disable", 1), ("voice", 2), ("b2400", 3), ("b4800", 4), ("b9600", 5), ("b14400", 6)) class HpnicfFaxTrainMode(TextualConvention, Integer32): description = 'Type of FaxTrainMode.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2)) namedValues = NamedValues(("local", 1), ("ppp", 2)) class HpnicfRegisterdStatus(TextualConvention, Integer32): description = 'Type of Registerd Status.' status = 'current' subtypeSpec = Integer32.subtypeSpec + ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5)) namedValues = NamedValues(("other", 1), ("offline", 2), ("online", 3), ("login", 4), ("logout", 5)) hpnicfVoEntityObjects = MibIdentifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1)) hpnicfVoEntityCreateTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1), ) if mibBuilder.loadTexts: hpnicfVoEntityCreateTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCreateTable.setDescription('The table contains the voice entity information that is used to create an ifIndexed row.') hpnicfVoEntityCreateEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1), ).setIndexNames((0, "HPN-ICF-VOICE-DIAL-CONTROL-MIB", "hpnicfVoEntityIndex")) if mibBuilder.loadTexts: hpnicfVoEntityCreateEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCreateEntry.setDescription('The entry of hpnicfVoEntityCreateTable.') hpnicfVoEntityIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoEntityIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicfVoEntityType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("pots", 1), ("voip", 2), ("vofr", 3)))).setMaxAccess("readcreate") if mibBuilder.loadTexts: hpnicfVoEntityType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityType.setDescription('Specify the type of voice related encapsulation.') hpnicfVoEntityRowStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 3), RowStatus()).setMaxAccess("readcreate") if mibBuilder.loadTexts: hpnicfVoEntityRowStatus.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityRowStatus.setDescription(' This object is used to create, delete or modify a row in this table. The hpnicfVoEntityType object should not be modified once the new row has been created.') hpnicfVoEntityCommonConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2), ) if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigTable.setDescription('This table contains the general voice entity information.') hpnicfVoEntityCommonConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1), ).setIndexNames((0, "HPN-ICF-VOICE-DIAL-CONTROL-MIB", "hpnicfVoEntityCfgIndex")) if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigEntry.setDescription('The entry of hpnicfVoEntityCommonConfigTable.') hpnicfVoEntityCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoEntityCfgIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicfVoEntityCfgCodec1st = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 2), HpnicfCodecType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec1st.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec1st.setDescription('This object indicates the first desirable CODEC of speech of this dial entity.') hpnicfVoEntityCfgCodec2nd = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 3), HpnicfCodecType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec2nd.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec2nd.setDescription('This object indicates the second desirable CODEC of speech of this dial entity.') hpnicfVoEntityCfgCodec3rd = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 4), HpnicfCodecType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec3rd.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec3rd.setDescription('This object indicates the third desirable CODEC of speech of this dial entity.') hpnicfVoEntityCfgCodec4th = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 5), HpnicfCodecType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec4th.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec4th.setDescription('This object indicates the forth desirable CODEC of speech of this dial entity.') hpnicfVoEntityCfgDSCP = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 6), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 63))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgDSCP.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgDSCP.setDescription('This object indicates the DSCP(Different Service Code Point) value of voice packets.') hpnicfVoEntityCfgVADEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 7), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgVADEnable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgVADEnable.setDescription('This object indicates whether the VAD(Voice Activity Detection) is enabled.') hpnicfVoEntityCfgOutbandMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 8), HpnicfOutBandMode()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgOutbandMode.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgOutbandMode.setDescription('This object indicates the DTMF(Dual Tone Multi-Frequency) outband type of this dial entity.') hpnicfVoEntityCfgFaxLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(-60, -3))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLevel.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLevel.setDescription('This object indicates the fax level of this dial entity.') hpnicfVoEntityCfgFaxBaudrate = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 10), HpnicfFaxBaudrateType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxBaudrate.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxBaudrate.setDescription('This object indicates the fax baudrate of this dial entity.') hpnicfVoEntityCfgFaxLocalTrainPara = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 11), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 100))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLocalTrainPara.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLocalTrainPara.setDescription('This object indicates the fax local train threshold of this dial entity.') hpnicfVoEntityCfgFaxProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 12), HpnicfFaxProtocolType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxProtocol.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxProtocol.setDescription('This object indicates the fax protocol of this dial entity.') hpnicfVoEntityCfgFaxHRPackNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 13), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 2))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxHRPackNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxHRPackNum.setDescription('This object indicates the high speed redundancy packet numbers of t38 and standard-t38.') hpnicfVoEntityCfgFaxLRPackNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 14), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 5))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLRPackNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLRPackNum.setDescription('This object indicates the low speed redundancy packet numbers of t38 and standard-t38.') hpnicfVoEntityCfgFaxSendNSFEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 15), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxSendNSFEnable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxSendNSFEnable.setDescription('This object indicates whether sends NSF(Non-Standard Faculty) to fax of this dial entity.') hpnicfVoEntityCfgFaxTrainMode = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 16), HpnicfFaxTrainMode()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxTrainMode.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxTrainMode.setDescription('This object indicates the fax train mode of this dial entity.') hpnicfVoEntityCfgFaxEcm = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 17), TruthValue()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxEcm.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxEcm.setDescription('This object indicates whether the ECM(Error Correct Mode) is enabled.') hpnicfVoEntityCfgPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 10))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgPriority.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgPriority.setDescription('This object indicates the priority of this dial entity.') hpnicfVoEntityCfgDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 19), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 80))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityCfgDescription.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgDescription.setDescription('This object indicates the textual description of this dial entity.') hpnicfVoPOTSEntityConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3), ) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigTable.setDescription('This table contains the POTS(Public Switched Telephone Network) entity information.') hpnicfVoPOTSEntityConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1), ).setIndexNames((0, "HPN-ICF-VOICE-DIAL-CONTROL-MIB", "hpnicfVoPOTSEntityConfigIndex")) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigEntry.setDescription('The entry of hpnicfVoPOTSEntityConfigTable.') hpnicfVoPOTSEntityConfigIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicfVoPOTSEntityConfigPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 2), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 31))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigPrefix.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigPrefix.setDescription('This object indicates the prefix which is added to the called number.') hpnicfVoPOTSEntityConfigSubLine = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 3), OctetString()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSubLine.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSubLine.setDescription('This object indicates the voice subscriber line of this dial entity.') hpnicfVoPOTSEntityConfigSendNum = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(ValueRangeConstraint(0, 31), ValueRangeConstraint(65534, 65534), ValueRangeConstraint(65535, 65535), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSendNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSendNum.setDescription('This object indicates the digit of phone number to be sent to the destination. 0..31: Number of digits (that are extracted from the end of a number) to be sent, in the range of 0 to 31. It is not greater than the total number of digits of the called number. 65534: Sends all digits of a called number. 65535: Sends a truncated called number.') hpnicfVoVoIPEntityConfigTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4), ) if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigTable.setDescription('This table contains the VoIP entity information.') hpnicfVoVoIPEntityConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1), ).setIndexNames((0, "HPN-ICF-VOICE-DIAL-CONTROL-MIB", "hpnicfVoVoIPEntityCfgIndex")) if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigEntry.setDescription('The entry of hpnicfVoVoIPEntityConfigTable.') hpnicfVoVoIPEntityCfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicfVoVoIPEntityCfgTargetType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("ras", 2), ("h323IpAddress", 3), ("sipIpAddress", 4), ("sipProxy", 5)))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetType.setDescription('This object indicates the type of the session target of this entity.') hpnicfVoVoIPEntityCfgTargetAddrType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 3), InetAddressType()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddrType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddrType.setDescription('The IP address type of object hpnicfVoVoIPEntityCfgTargetAddr.') hpnicfVoVoIPEntityCfgTargetAddr = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 4), InetAddress()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddr.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddr.setDescription('This object indicates the target IP address.') hpnicfVoEntityNumberTable = MibTable((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5), ) if mibBuilder.loadTexts: hpnicfVoEntityNumberTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberTable.setDescription('The table contains the number management information.') hpnicfVoEntityNumberEntry = MibTableRow((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1), ).setIndexNames((0, "HPN-ICF-VOICE-DIAL-CONTROL-MIB", "hpnicfVoEntityIndex")) if mibBuilder.loadTexts: hpnicfVoEntityNumberEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberEntry.setDescription('The entry of hpnicfVoEntityNumberTable. HpnicfVoEntityIndex is used to uniquely identify these numbers registered on the server. The same value of hpnicfVoEntityIndex used in the corresponding HPN-ICFVoEntityCommonConfigTable is used here.') hpnicfVoEntityNumberAuthUser = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 1), OctetString().subtype(subtypeSpec=ValueSizeConstraint(0, 63))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityNumberAuthUser.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberAuthUser.setDescription('This object indicates the username of the entity number to authorize.') hpnicfVoEntityNumberPasswordType = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 2), Integer32()).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityNumberPasswordType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberPasswordType.setDescription('This object indicates the password type of the entity number to authorize. The encrypting type of password: 0 : password simple, means password is clean text. 1 : password cipher, means password is encrypted text. default is 65535.') hpnicfVoEntityNumberPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 3), OctetString().subtype(subtypeSpec=ConstraintsUnion(ValueSizeConstraint(0, 16), ValueSizeConstraint(24, 24), ))).setMaxAccess("readwrite") if mibBuilder.loadTexts: hpnicfVoEntityNumberPassword.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberPassword.setDescription('This object indicates the password of the entity number to authorize.') hpnicfVoEntityNumberStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 4), HpnicfRegisterdStatus()).setMaxAccess("readonly") if mibBuilder.loadTexts: hpnicfVoEntityNumberStatus.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberStatus.setDescription('This object indicates the current state of the entity number.') hpnicfVoEntityNumberExpires = MibTableColumn((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 5), Integer32()).setUnits('seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hpnicfVoEntityNumberExpires.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberExpires.setDescription('This is the interval time for entity number updating registered message.') mibBuilder.exportSymbols("HPN-ICF-VOICE-DIAL-CONTROL-MIB", hpnicfVoEntityNumberStatus=hpnicfVoEntityNumberStatus, hpnicfVoEntityCreateTable=hpnicfVoEntityCreateTable, hpnicfVoEntityCfgFaxProtocol=hpnicfVoEntityCfgFaxProtocol, hpnicfVoEntityNumberAuthUser=hpnicfVoEntityNumberAuthUser, hpnicfVoEntityCreateEntry=hpnicfVoEntityCreateEntry, hpnicfVoEntityCfgCodec3rd=hpnicfVoEntityCfgCodec3rd, hpnicfVoVoIPEntityCfgTargetType=hpnicfVoVoIPEntityCfgTargetType, hpnicfVoEntityCfgFaxTrainMode=hpnicfVoEntityCfgFaxTrainMode, hpnicfVoEntityNumberTable=hpnicfVoEntityNumberTable, hpnicfVoEntityNumberExpires=hpnicfVoEntityNumberExpires, hpnicfVoEntityCfgDescription=hpnicfVoEntityCfgDescription, hpnicfVoPOTSEntityConfigIndex=hpnicfVoPOTSEntityConfigIndex, hpnicfVoPOTSEntityConfigSubLine=hpnicfVoPOTSEntityConfigSubLine, HpnicfRegisterdStatus=HpnicfRegisterdStatus, hpnicfVoEntityCfgVADEnable=hpnicfVoEntityCfgVADEnable, hpnicfVoVoIPEntityCfgTargetAddr=hpnicfVoVoIPEntityCfgTargetAddr, hpnicfVoEntityCfgIndex=hpnicfVoEntityCfgIndex, hpnicfVoPOTSEntityConfigPrefix=hpnicfVoPOTSEntityConfigPrefix, hpnicfVoEntityCfgPriority=hpnicfVoEntityCfgPriority, hpnicfVoVoIPEntityConfigEntry=hpnicfVoVoIPEntityConfigEntry, hpnicfVoVoIPEntityCfgIndex=hpnicfVoVoIPEntityCfgIndex, hpnicfVoVoIPEntityConfigTable=hpnicfVoVoIPEntityConfigTable, hpnicfVoEntityCfgFaxEcm=hpnicfVoEntityCfgFaxEcm, hpnicfVoEntityCfgFaxHRPackNum=hpnicfVoEntityCfgFaxHRPackNum, PYSNMP_MODULE_ID=hpnicfVoiceEntityControl, hpnicfVoPOTSEntityConfigSendNum=hpnicfVoPOTSEntityConfigSendNum, HpnicfFaxBaudrateType=HpnicfFaxBaudrateType, HpnicfFaxTrainMode=HpnicfFaxTrainMode, hpnicfVoEntityRowStatus=hpnicfVoEntityRowStatus, hpnicfVoVoIPEntityCfgTargetAddrType=hpnicfVoVoIPEntityCfgTargetAddrType, hpnicfVoEntityCfgFaxSendNSFEnable=hpnicfVoEntityCfgFaxSendNSFEnable, HpnicfOutBandMode=HpnicfOutBandMode, hpnicfVoEntityCfgCodec1st=hpnicfVoEntityCfgCodec1st, hpnicfVoEntityCfgFaxLRPackNum=hpnicfVoEntityCfgFaxLRPackNum, hpnicfVoPOTSEntityConfigEntry=hpnicfVoPOTSEntityConfigEntry, hpnicfVoiceEntityControl=hpnicfVoiceEntityControl, hpnicfVoEntityIndex=hpnicfVoEntityIndex, hpnicfVoEntityCfgCodec4th=hpnicfVoEntityCfgCodec4th, hpnicfVoEntityCfgDSCP=hpnicfVoEntityCfgDSCP, hpnicfVoEntityCfgOutbandMode=hpnicfVoEntityCfgOutbandMode, hpnicfVoEntityCfgFaxLocalTrainPara=hpnicfVoEntityCfgFaxLocalTrainPara, hpnicfVoEntityNumberPassword=hpnicfVoEntityNumberPassword, hpnicfVoEntityNumberPasswordType=hpnicfVoEntityNumberPasswordType, hpnicfVoEntityCommonConfigEntry=hpnicfVoEntityCommonConfigEntry, HpnicfFaxProtocolType=HpnicfFaxProtocolType, hpnicfVoEntityNumberEntry=hpnicfVoEntityNumberEntry, hpnicfVoEntityCfgFaxLevel=hpnicfVoEntityCfgFaxLevel, hpnicfVoEntityCfgFaxBaudrate=hpnicfVoEntityCfgFaxBaudrate, hpnicfVoPOTSEntityConfigTable=hpnicfVoPOTSEntityConfigTable, hpnicfVoEntityCfgCodec2nd=hpnicfVoEntityCfgCodec2nd, hpnicfVoEntityObjects=hpnicfVoEntityObjects, hpnicfVoEntityType=hpnicfVoEntityType, hpnicfVoEntityCommonConfigTable=hpnicfVoEntityCommonConfigTable, HpnicfCodecType=HpnicfCodecType)
(object_identifier, octet_string, integer) = mibBuilder.importSymbols('ASN1', 'ObjectIdentifier', 'OctetString', 'Integer') (named_values,) = mibBuilder.importSymbols('ASN1-ENUMERATION', 'NamedValues') (value_size_constraint, constraints_union, constraints_intersection, single_value_constraint, value_range_constraint) = mibBuilder.importSymbols('ASN1-REFINEMENT', 'ValueSizeConstraint', 'ConstraintsUnion', 'ConstraintsIntersection', 'SingleValueConstraint', 'ValueRangeConstraint') (absolute_counter32,) = mibBuilder.importSymbols('DIAL-CONTROL-MIB', 'AbsoluteCounter32') (hpnicf_voice,) = mibBuilder.importSymbols('HPN-ICF-OID-MIB', 'hpnicfVoice') (inet_address, inet_address_type) = mibBuilder.importSymbols('INET-ADDRESS-MIB', 'InetAddress', 'InetAddressType') (notification_group, module_compliance) = mibBuilder.importSymbols('SNMPv2-CONF', 'NotificationGroup', 'ModuleCompliance') (mib_scalar, mib_table, mib_table_row, mib_table_column, module_identity, time_ticks, gauge32, object_identity, ip_address, bits, counter64, unsigned32, notification_type, counter32, integer32, mib_identifier, iso) = mibBuilder.importSymbols('SNMPv2-SMI', 'MibScalar', 'MibTable', 'MibTableRow', 'MibTableColumn', 'ModuleIdentity', 'TimeTicks', 'Gauge32', 'ObjectIdentity', 'IpAddress', 'Bits', 'Counter64', 'Unsigned32', 'NotificationType', 'Counter32', 'Integer32', 'MibIdentifier', 'iso') (row_status, textual_convention, truth_value, display_string) = mibBuilder.importSymbols('SNMPv2-TC', 'RowStatus', 'TextualConvention', 'TruthValue', 'DisplayString') hpnicf_voice_entity_control = module_identity((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14)) hpnicfVoiceEntityControl.setRevisions(('2009-04-16 00:00',)) if getattr(mibBuilder, 'version', (0, 0, 0)) > (4, 4, 0): if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setRevisionsDescriptions(('The initial version of this MIB file.',)) if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setLastUpdated('200904160000Z') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setOrganization('') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setContactInfo('') if mibBuilder.loadTexts: hpnicfVoiceEntityControl.setDescription('This MIB file is to provide the definition of voice dial control configuration.') class Hpnicfcodectype(TextualConvention, Integer32): description = 'Type of Codec.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12)) named_values = named_values(('g711a', 1), ('g711u', 2), ('g723r53', 3), ('g723r63', 4), ('g729r8', 5), ('g729a', 6), ('g726r16', 7), ('g726r24', 8), ('g726r32', 9), ('g726r40', 10), ('unknown', 11), ('g729br8', 12)) class Hpnicfoutbandmode(TextualConvention, Integer32): description = 'Type of OutBandMode.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6)) named_values = named_values(('voice', 1), ('h245AlphaNumeric', 2), ('h225', 3), ('sip', 4), ('nte', 5), ('vofr', 6)) class Hpnicffaxprotocoltype(TextualConvention, Integer32): description = 'Type of FaxProtocol.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4)) named_values = named_values(('t38', 1), ('standardt38', 2), ('pcmG711alaw', 3), ('pcmG711ulaw', 4)) class Hpnicffaxbaudratetype(TextualConvention, Integer32): description = 'Type of FaxBaudrate.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5, 6)) named_values = named_values(('disable', 1), ('voice', 2), ('b2400', 3), ('b4800', 4), ('b9600', 5), ('b14400', 6)) class Hpnicffaxtrainmode(TextualConvention, Integer32): description = 'Type of FaxTrainMode.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2)) named_values = named_values(('local', 1), ('ppp', 2)) class Hpnicfregisterdstatus(TextualConvention, Integer32): description = 'Type of Registerd Status.' status = 'current' subtype_spec = Integer32.subtypeSpec + constraints_union(single_value_constraint(1, 2, 3, 4, 5)) named_values = named_values(('other', 1), ('offline', 2), ('online', 3), ('login', 4), ('logout', 5)) hpnicf_vo_entity_objects = mib_identifier((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1)) hpnicf_vo_entity_create_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1)) if mibBuilder.loadTexts: hpnicfVoEntityCreateTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCreateTable.setDescription('The table contains the voice entity information that is used to create an ifIndexed row.') hpnicf_vo_entity_create_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1)).setIndexNames((0, 'HPN-ICF-VOICE-DIAL-CONTROL-MIB', 'hpnicfVoEntityIndex')) if mibBuilder.loadTexts: hpnicfVoEntityCreateEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCreateEntry.setDescription('The entry of hpnicfVoEntityCreateTable.') hpnicf_vo_entity_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoEntityIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicf_vo_entity_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3))).clone(namedValues=named_values(('pots', 1), ('voip', 2), ('vofr', 3)))).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpnicfVoEntityType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityType.setDescription('Specify the type of voice related encapsulation.') hpnicf_vo_entity_row_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 1, 1, 3), row_status()).setMaxAccess('readcreate') if mibBuilder.loadTexts: hpnicfVoEntityRowStatus.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityRowStatus.setDescription(' This object is used to create, delete or modify a row in this table. The hpnicfVoEntityType object should not be modified once the new row has been created.') hpnicf_vo_entity_common_config_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2)) if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigTable.setDescription('This table contains the general voice entity information.') hpnicf_vo_entity_common_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1)).setIndexNames((0, 'HPN-ICF-VOICE-DIAL-CONTROL-MIB', 'hpnicfVoEntityCfgIndex')) if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCommonConfigEntry.setDescription('The entry of hpnicfVoEntityCommonConfigTable.') hpnicf_vo_entity_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoEntityCfgIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicf_vo_entity_cfg_codec1st = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 2), hpnicf_codec_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec1st.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec1st.setDescription('This object indicates the first desirable CODEC of speech of this dial entity.') hpnicf_vo_entity_cfg_codec2nd = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 3), hpnicf_codec_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec2nd.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec2nd.setDescription('This object indicates the second desirable CODEC of speech of this dial entity.') hpnicf_vo_entity_cfg_codec3rd = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 4), hpnicf_codec_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec3rd.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec3rd.setDescription('This object indicates the third desirable CODEC of speech of this dial entity.') hpnicf_vo_entity_cfg_codec4th = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 5), hpnicf_codec_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec4th.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgCodec4th.setDescription('This object indicates the forth desirable CODEC of speech of this dial entity.') hpnicf_vo_entity_cfg_dscp = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 6), integer32().subtype(subtypeSpec=value_range_constraint(0, 63))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgDSCP.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgDSCP.setDescription('This object indicates the DSCP(Different Service Code Point) value of voice packets.') hpnicf_vo_entity_cfg_vad_enable = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 7), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgVADEnable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgVADEnable.setDescription('This object indicates whether the VAD(Voice Activity Detection) is enabled.') hpnicf_vo_entity_cfg_outband_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 8), hpnicf_out_band_mode()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgOutbandMode.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgOutbandMode.setDescription('This object indicates the DTMF(Dual Tone Multi-Frequency) outband type of this dial entity.') hpnicf_vo_entity_cfg_fax_level = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 9), integer32().subtype(subtypeSpec=value_range_constraint(-60, -3))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLevel.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLevel.setDescription('This object indicates the fax level of this dial entity.') hpnicf_vo_entity_cfg_fax_baudrate = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 10), hpnicf_fax_baudrate_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxBaudrate.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxBaudrate.setDescription('This object indicates the fax baudrate of this dial entity.') hpnicf_vo_entity_cfg_fax_local_train_para = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 11), integer32().subtype(subtypeSpec=value_range_constraint(0, 100))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLocalTrainPara.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLocalTrainPara.setDescription('This object indicates the fax local train threshold of this dial entity.') hpnicf_vo_entity_cfg_fax_protocol = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 12), hpnicf_fax_protocol_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxProtocol.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxProtocol.setDescription('This object indicates the fax protocol of this dial entity.') hpnicf_vo_entity_cfg_fax_hr_pack_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 13), integer32().subtype(subtypeSpec=value_range_constraint(0, 2))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxHRPackNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxHRPackNum.setDescription('This object indicates the high speed redundancy packet numbers of t38 and standard-t38.') hpnicf_vo_entity_cfg_fax_lr_pack_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 14), integer32().subtype(subtypeSpec=value_range_constraint(0, 5))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLRPackNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxLRPackNum.setDescription('This object indicates the low speed redundancy packet numbers of t38 and standard-t38.') hpnicf_vo_entity_cfg_fax_send_nsf_enable = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 15), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxSendNSFEnable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxSendNSFEnable.setDescription('This object indicates whether sends NSF(Non-Standard Faculty) to fax of this dial entity.') hpnicf_vo_entity_cfg_fax_train_mode = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 16), hpnicf_fax_train_mode()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxTrainMode.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxTrainMode.setDescription('This object indicates the fax train mode of this dial entity.') hpnicf_vo_entity_cfg_fax_ecm = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 17), truth_value()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxEcm.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgFaxEcm.setDescription('This object indicates whether the ECM(Error Correct Mode) is enabled.') hpnicf_vo_entity_cfg_priority = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 18), integer32().subtype(subtypeSpec=value_range_constraint(0, 10))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgPriority.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgPriority.setDescription('This object indicates the priority of this dial entity.') hpnicf_vo_entity_cfg_description = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 2, 1, 19), octet_string().subtype(subtypeSpec=value_size_constraint(0, 80))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityCfgDescription.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityCfgDescription.setDescription('This object indicates the textual description of this dial entity.') hpnicf_vo_pots_entity_config_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3)) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigTable.setDescription('This table contains the POTS(Public Switched Telephone Network) entity information.') hpnicf_vo_pots_entity_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1)).setIndexNames((0, 'HPN-ICF-VOICE-DIAL-CONTROL-MIB', 'hpnicfVoPOTSEntityConfigIndex')) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigEntry.setDescription('The entry of hpnicfVoPOTSEntityConfigTable.') hpnicf_vo_pots_entity_config_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicf_vo_pots_entity_config_prefix = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 2), octet_string().subtype(subtypeSpec=value_size_constraint(0, 31))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigPrefix.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigPrefix.setDescription('This object indicates the prefix which is added to the called number.') hpnicf_vo_pots_entity_config_sub_line = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 3), octet_string()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSubLine.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSubLine.setDescription('This object indicates the voice subscriber line of this dial entity.') hpnicf_vo_pots_entity_config_send_num = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 3, 1, 4), integer32().subtype(subtypeSpec=constraints_union(value_range_constraint(0, 31), value_range_constraint(65534, 65534), value_range_constraint(65535, 65535)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSendNum.setStatus('current') if mibBuilder.loadTexts: hpnicfVoPOTSEntityConfigSendNum.setDescription('This object indicates the digit of phone number to be sent to the destination. 0..31: Number of digits (that are extracted from the end of a number) to be sent, in the range of 0 to 31. It is not greater than the total number of digits of the called number. 65534: Sends all digits of a called number. 65535: Sends a truncated called number.') hpnicf_vo_vo_ip_entity_config_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4)) if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigTable.setDescription('This table contains the VoIP entity information.') hpnicf_vo_vo_ip_entity_config_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1)).setIndexNames((0, 'HPN-ICF-VOICE-DIAL-CONTROL-MIB', 'hpnicfVoVoIPEntityCfgIndex')) if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityConfigEntry.setDescription('The entry of hpnicfVoVoIPEntityConfigTable.') hpnicf_vo_vo_ip_entity_cfg_index = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 1), integer32().subtype(subtypeSpec=value_range_constraint(1, 2147483647))) if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgIndex.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgIndex.setDescription('An arbitrary index that uniquely identifies a voice entity.') hpnicf_vo_vo_ip_entity_cfg_target_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 2), integer32().subtype(subtypeSpec=constraints_union(single_value_constraint(1, 2, 3, 4, 5))).clone(namedValues=named_values(('unknown', 1), ('ras', 2), ('h323IpAddress', 3), ('sipIpAddress', 4), ('sipProxy', 5)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetType.setDescription('This object indicates the type of the session target of this entity.') hpnicf_vo_vo_ip_entity_cfg_target_addr_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 3), inet_address_type()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddrType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddrType.setDescription('The IP address type of object hpnicfVoVoIPEntityCfgTargetAddr.') hpnicf_vo_vo_ip_entity_cfg_target_addr = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 4, 1, 4), inet_address()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddr.setStatus('current') if mibBuilder.loadTexts: hpnicfVoVoIPEntityCfgTargetAddr.setDescription('This object indicates the target IP address.') hpnicf_vo_entity_number_table = mib_table((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5)) if mibBuilder.loadTexts: hpnicfVoEntityNumberTable.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberTable.setDescription('The table contains the number management information.') hpnicf_vo_entity_number_entry = mib_table_row((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1)).setIndexNames((0, 'HPN-ICF-VOICE-DIAL-CONTROL-MIB', 'hpnicfVoEntityIndex')) if mibBuilder.loadTexts: hpnicfVoEntityNumberEntry.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberEntry.setDescription('The entry of hpnicfVoEntityNumberTable. HpnicfVoEntityIndex is used to uniquely identify these numbers registered on the server. The same value of hpnicfVoEntityIndex used in the corresponding HPN-ICFVoEntityCommonConfigTable is used here.') hpnicf_vo_entity_number_auth_user = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 1), octet_string().subtype(subtypeSpec=value_size_constraint(0, 63))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityNumberAuthUser.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberAuthUser.setDescription('This object indicates the username of the entity number to authorize.') hpnicf_vo_entity_number_password_type = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 2), integer32()).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityNumberPasswordType.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberPasswordType.setDescription('This object indicates the password type of the entity number to authorize. The encrypting type of password: 0 : password simple, means password is clean text. 1 : password cipher, means password is encrypted text. default is 65535.') hpnicf_vo_entity_number_password = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 3), octet_string().subtype(subtypeSpec=constraints_union(value_size_constraint(0, 16), value_size_constraint(24, 24)))).setMaxAccess('readwrite') if mibBuilder.loadTexts: hpnicfVoEntityNumberPassword.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberPassword.setDescription('This object indicates the password of the entity number to authorize.') hpnicf_vo_entity_number_status = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 4), hpnicf_registerd_status()).setMaxAccess('readonly') if mibBuilder.loadTexts: hpnicfVoEntityNumberStatus.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberStatus.setDescription('This object indicates the current state of the entity number.') hpnicf_vo_entity_number_expires = mib_table_column((1, 3, 6, 1, 4, 1, 11, 2, 14, 11, 15, 2, 39, 14, 1, 5, 1, 5), integer32()).setUnits('seconds').setMaxAccess('readonly') if mibBuilder.loadTexts: hpnicfVoEntityNumberExpires.setStatus('current') if mibBuilder.loadTexts: hpnicfVoEntityNumberExpires.setDescription('This is the interval time for entity number updating registered message.') mibBuilder.exportSymbols('HPN-ICF-VOICE-DIAL-CONTROL-MIB', hpnicfVoEntityNumberStatus=hpnicfVoEntityNumberStatus, hpnicfVoEntityCreateTable=hpnicfVoEntityCreateTable, hpnicfVoEntityCfgFaxProtocol=hpnicfVoEntityCfgFaxProtocol, hpnicfVoEntityNumberAuthUser=hpnicfVoEntityNumberAuthUser, hpnicfVoEntityCreateEntry=hpnicfVoEntityCreateEntry, hpnicfVoEntityCfgCodec3rd=hpnicfVoEntityCfgCodec3rd, hpnicfVoVoIPEntityCfgTargetType=hpnicfVoVoIPEntityCfgTargetType, hpnicfVoEntityCfgFaxTrainMode=hpnicfVoEntityCfgFaxTrainMode, hpnicfVoEntityNumberTable=hpnicfVoEntityNumberTable, hpnicfVoEntityNumberExpires=hpnicfVoEntityNumberExpires, hpnicfVoEntityCfgDescription=hpnicfVoEntityCfgDescription, hpnicfVoPOTSEntityConfigIndex=hpnicfVoPOTSEntityConfigIndex, hpnicfVoPOTSEntityConfigSubLine=hpnicfVoPOTSEntityConfigSubLine, HpnicfRegisterdStatus=HpnicfRegisterdStatus, hpnicfVoEntityCfgVADEnable=hpnicfVoEntityCfgVADEnable, hpnicfVoVoIPEntityCfgTargetAddr=hpnicfVoVoIPEntityCfgTargetAddr, hpnicfVoEntityCfgIndex=hpnicfVoEntityCfgIndex, hpnicfVoPOTSEntityConfigPrefix=hpnicfVoPOTSEntityConfigPrefix, hpnicfVoEntityCfgPriority=hpnicfVoEntityCfgPriority, hpnicfVoVoIPEntityConfigEntry=hpnicfVoVoIPEntityConfigEntry, hpnicfVoVoIPEntityCfgIndex=hpnicfVoVoIPEntityCfgIndex, hpnicfVoVoIPEntityConfigTable=hpnicfVoVoIPEntityConfigTable, hpnicfVoEntityCfgFaxEcm=hpnicfVoEntityCfgFaxEcm, hpnicfVoEntityCfgFaxHRPackNum=hpnicfVoEntityCfgFaxHRPackNum, PYSNMP_MODULE_ID=hpnicfVoiceEntityControl, hpnicfVoPOTSEntityConfigSendNum=hpnicfVoPOTSEntityConfigSendNum, HpnicfFaxBaudrateType=HpnicfFaxBaudrateType, HpnicfFaxTrainMode=HpnicfFaxTrainMode, hpnicfVoEntityRowStatus=hpnicfVoEntityRowStatus, hpnicfVoVoIPEntityCfgTargetAddrType=hpnicfVoVoIPEntityCfgTargetAddrType, hpnicfVoEntityCfgFaxSendNSFEnable=hpnicfVoEntityCfgFaxSendNSFEnable, HpnicfOutBandMode=HpnicfOutBandMode, hpnicfVoEntityCfgCodec1st=hpnicfVoEntityCfgCodec1st, hpnicfVoEntityCfgFaxLRPackNum=hpnicfVoEntityCfgFaxLRPackNum, hpnicfVoPOTSEntityConfigEntry=hpnicfVoPOTSEntityConfigEntry, hpnicfVoiceEntityControl=hpnicfVoiceEntityControl, hpnicfVoEntityIndex=hpnicfVoEntityIndex, hpnicfVoEntityCfgCodec4th=hpnicfVoEntityCfgCodec4th, hpnicfVoEntityCfgDSCP=hpnicfVoEntityCfgDSCP, hpnicfVoEntityCfgOutbandMode=hpnicfVoEntityCfgOutbandMode, hpnicfVoEntityCfgFaxLocalTrainPara=hpnicfVoEntityCfgFaxLocalTrainPara, hpnicfVoEntityNumberPassword=hpnicfVoEntityNumberPassword, hpnicfVoEntityNumberPasswordType=hpnicfVoEntityNumberPasswordType, hpnicfVoEntityCommonConfigEntry=hpnicfVoEntityCommonConfigEntry, HpnicfFaxProtocolType=HpnicfFaxProtocolType, hpnicfVoEntityNumberEntry=hpnicfVoEntityNumberEntry, hpnicfVoEntityCfgFaxLevel=hpnicfVoEntityCfgFaxLevel, hpnicfVoEntityCfgFaxBaudrate=hpnicfVoEntityCfgFaxBaudrate, hpnicfVoPOTSEntityConfigTable=hpnicfVoPOTSEntityConfigTable, hpnicfVoEntityCfgCodec2nd=hpnicfVoEntityCfgCodec2nd, hpnicfVoEntityObjects=hpnicfVoEntityObjects, hpnicfVoEntityType=hpnicfVoEntityType, hpnicfVoEntityCommonConfigTable=hpnicfVoEntityCommonConfigTable, HpnicfCodecType=HpnicfCodecType)
{ "includes": [ "../common.gypi" ], "targets": [ { "target_name": "libgdal_ogr_gtm_frmt", "type": "static_library", "sources": [ "../gdal/ogr/ogrsf_frmts/gtm/gtm.cpp", "../gdal/ogr/ogrsf_frmts/gtm/gtmtracklayer.cpp", "../gdal/ogr/ogrsf_frmts/gtm/gtmwaypointlayer.cpp", "../gdal/ogr/ogrsf_frmts/gtm/ogrgtmdatasource.cpp", "../gdal/ogr/ogrsf_frmts/gtm/ogrgtmdriver.cpp", "../gdal/ogr/ogrsf_frmts/gtm/ogrgtmlayer.cpp" ], "include_dirs": [ "../gdal/ogr/ogrsf_frmts/gtm" ] } ] }
{'includes': ['../common.gypi'], 'targets': [{'target_name': 'libgdal_ogr_gtm_frmt', 'type': 'static_library', 'sources': ['../gdal/ogr/ogrsf_frmts/gtm/gtm.cpp', '../gdal/ogr/ogrsf_frmts/gtm/gtmtracklayer.cpp', '../gdal/ogr/ogrsf_frmts/gtm/gtmwaypointlayer.cpp', '../gdal/ogr/ogrsf_frmts/gtm/ogrgtmdatasource.cpp', '../gdal/ogr/ogrsf_frmts/gtm/ogrgtmdriver.cpp', '../gdal/ogr/ogrsf_frmts/gtm/ogrgtmlayer.cpp'], 'include_dirs': ['../gdal/ogr/ogrsf_frmts/gtm']}]}
def errorbar(ax, y, yerr, barlabels, convertlabels=True, **kwargs): sizedata = len(barlabels) mykwargs = {"alpha":1., "lw":1.5, "color":'goldenrod', "ecolor":'k', 'error_kw':{'lw':1.5}, "align":"center"} # We overwrite these mykwargs with any user-specified kwargs: mykwargs.update(kwargs) ax.yaxis.grid(True) ax.bar(range(sizedata), y, yerr=yerr, **mykwargs) ax.set_xticks(range(sizedata)) if convertlabels: barlabels = [r"${:d}$".format(l) for l in barlabels] ax.set_xticklabels(barlabels) ax.set_xlim([-1, sizedata]) ax.set_ylabel(r"$\mathrm{Feature\ importance}$")
def errorbar(ax, y, yerr, barlabels, convertlabels=True, **kwargs): sizedata = len(barlabels) mykwargs = {'alpha': 1.0, 'lw': 1.5, 'color': 'goldenrod', 'ecolor': 'k', 'error_kw': {'lw': 1.5}, 'align': 'center'} mykwargs.update(kwargs) ax.yaxis.grid(True) ax.bar(range(sizedata), y, yerr=yerr, **mykwargs) ax.set_xticks(range(sizedata)) if convertlabels: barlabels = ['${:d}$'.format(l) for l in barlabels] ax.set_xticklabels(barlabels) ax.set_xlim([-1, sizedata]) ax.set_ylabel('$\\mathrm{Feature\\ importance}$')
def add_argument(group): group.add_argument('--input_dim_a', type=int, default=3, help='# of input channels for domain A') group.add_argument('--input_dim_b', type=int, default=3, help='# of input channels for domain B') group.add_argument('--gen_norm', type=str, default='Instance', help='normalization layer in generator [None, Batch, Instance, Layer]') group.add_argument('--dis_scale', type=int, default=1, help='scale of discriminator') group.add_argument('--dis_norm', type=str, default='Instance', help='normalization layer in discriminator [None, Batch, Instance, Layer]') group.add_argument('--dis_spectral_norm', action='store_true', help='use spectral normalization in discriminator') group.add_argument('--adl', type=bool, default=False, help='use Adaptive Data Loss') group.add_argument('--adl_interval', type=int, default=10, help='update interval of data loss')
def add_argument(group): group.add_argument('--input_dim_a', type=int, default=3, help='# of input channels for domain A') group.add_argument('--input_dim_b', type=int, default=3, help='# of input channels for domain B') group.add_argument('--gen_norm', type=str, default='Instance', help='normalization layer in generator [None, Batch, Instance, Layer]') group.add_argument('--dis_scale', type=int, default=1, help='scale of discriminator') group.add_argument('--dis_norm', type=str, default='Instance', help='normalization layer in discriminator [None, Batch, Instance, Layer]') group.add_argument('--dis_spectral_norm', action='store_true', help='use spectral normalization in discriminator') group.add_argument('--adl', type=bool, default=False, help='use Adaptive Data Loss') group.add_argument('--adl_interval', type=int, default=10, help='update interval of data loss')
people = [] # people.append("Joe") # people.append("Max") # people.append("Martha") # people.insert(2, "Gloria") # people.pop(1) # # print(people) counter = 0 while counter < 4: counter += 1 print("Give me a name:") name = input("> ") people.append(name) print(people)
people = [] counter = 0 while counter < 4: counter += 1 print('Give me a name:') name = input('> ') people.append(name) print(people)
a=int(input()) b=int(input()) # The first line should contain the result of integer division, a//b . The second line should contain the result of float division, a/b . print(a//b) print(a/b)
a = int(input()) b = int(input()) print(a // b) print(a / b)
class Dyn(object): def __repr__(self): return str(self) def __eq__(self, other): if not isinstance(other, Dyn): return False if (self.A() != other.A()).any() or (self.b() != other.b()).any(): return False return True
class Dyn(object): def __repr__(self): return str(self) def __eq__(self, other): if not isinstance(other, Dyn): return False if (self.A() != other.A()).any() or (self.b() != other.b()).any(): return False return True
_params = { "unicode": True, } def rtb_set_param(param, value): _params[param] = value def rtb_get_param(param): return _params[param]
_params = {'unicode': True} def rtb_set_param(param, value): _params[param] = value def rtb_get_param(param): return _params[param]
class DeviceType: HUB = "Hub" HUB_PLUS = "Hub Plus" HUB_MINI = "Hub Mini" BOT = "Bot" CURTAIN = "Curtain" PLUG = "Plug" PLUG_MINI_US = "Plug Mini (US)" PLUG_MINI_JP = "Plug Mini (JP)" METER = "Meter" MOTION_SENSOR = "Motion Sensor" CONTACT_SENSOR = "Contact Sensor" COLOR_BULB = "Color Bulb" HUMIDIFIER = "Humidifier" SMART_FAN = "Smart Fan" STRIP_LIGHT = "Strip Light" INDOOR_CAM = "Indoor Cam" REMOTE = "Remote" # undocumented in official api reference? class RemoteType: AIR_CONDITIONER = "Air Conditioner" TV = "TV" LIGHT = "Light" IPTV_STREAMER = "IPTV/Streamer" SET_TOP_BOX = "Set Top Box" DVD = "DVD" FAN = "Fan" PROJECTOR = "Projector" CAMERA = "Camera" AIR_PURIFIER = "Air Purifier" SPEAKER = "Speaker" WATER_HEATER = "Water Heater" VACUUM_CLEANER = "Vacuum Cleaner" OTHERS = "Others" class ControlCommand: class Bot: TURN_ON = "turnOn" TURN_OFF = "turnOff" PRESS = "press" class Plug: TURN_ON = "turnOn" TURN_OFF = "turnOff" class PlugMiniUs: TURN_ON = "turnOn" TURN_OFF = "turnOff" TOGGLE = "toggle" class PlugMiniJp: TURN_ON = "turnOn" TURN_OFF = "turnOff" TOGGLE = "toggle" class Curtain: TURN_ON = "turnOn" TURN_OFF = "turnOff" SET_POSITION = "setPosition" class Humidifier: TURN_ON = "turnOn" TURN_OFF = "turnOff" SET_MODE = "setMode" class ColorBulb: TURN_ON = "turnOn" TURN_OFF = "turnOff" TOGGLE = "toggle" SET_BRIGHTNESS = "setBrightness" SET_COLOR = "setColor" SET_COLOR_TEMPERATURE = "setColorTemperature" class SmartFan: TURN_ON = "turnOn" TURN_OFF = "turnOff" SET_ALL_STATUS = "setAllStatus" class StripLight: TURN_ON = "turnOn" TURN_OFF = "turnOff" TOGGLE = "toggle" SET_BRIGHTNESS = "setBrightness" SET_COLOR = "setColor" class VirtualInfrared: TURN_ON = "turnOn" TURN_OFF = "turnOff" SET_ALL = "setAll" SET_CHANNEL = "SetChannel" VOLUME_ADD = "volumeAdd" VOLUME_SUB = "volumeSub" CHANNEL_ADD = "channelAdd" CHANNEL_SUB = "channelSub" SET_MUTE = "setMute" FAST_FORWARD = "FastForward" REWIND = "Rewind" NEXT = "Next" PREVIOUS = "Previous" PAUSE = "Pause" PLAY = "Play" STOP = "Stop" SWING = "swing" TIMER = "timer" LOW_SPEED = "lowSpeed" MIDDLE_SPEED = "middleSpeed" HIGH_SPEED = "highSpeed" BRIGHTNESS_UP = "brightnessUp" BRIGHTNESS_DOWN = "brightnessDown"
class Devicetype: hub = 'Hub' hub_plus = 'Hub Plus' hub_mini = 'Hub Mini' bot = 'Bot' curtain = 'Curtain' plug = 'Plug' plug_mini_us = 'Plug Mini (US)' plug_mini_jp = 'Plug Mini (JP)' meter = 'Meter' motion_sensor = 'Motion Sensor' contact_sensor = 'Contact Sensor' color_bulb = 'Color Bulb' humidifier = 'Humidifier' smart_fan = 'Smart Fan' strip_light = 'Strip Light' indoor_cam = 'Indoor Cam' remote = 'Remote' class Remotetype: air_conditioner = 'Air Conditioner' tv = 'TV' light = 'Light' iptv_streamer = 'IPTV/Streamer' set_top_box = 'Set Top Box' dvd = 'DVD' fan = 'Fan' projector = 'Projector' camera = 'Camera' air_purifier = 'Air Purifier' speaker = 'Speaker' water_heater = 'Water Heater' vacuum_cleaner = 'Vacuum Cleaner' others = 'Others' class Controlcommand: class Bot: turn_on = 'turnOn' turn_off = 'turnOff' press = 'press' class Plug: turn_on = 'turnOn' turn_off = 'turnOff' class Plugminius: turn_on = 'turnOn' turn_off = 'turnOff' toggle = 'toggle' class Plugminijp: turn_on = 'turnOn' turn_off = 'turnOff' toggle = 'toggle' class Curtain: turn_on = 'turnOn' turn_off = 'turnOff' set_position = 'setPosition' class Humidifier: turn_on = 'turnOn' turn_off = 'turnOff' set_mode = 'setMode' class Colorbulb: turn_on = 'turnOn' turn_off = 'turnOff' toggle = 'toggle' set_brightness = 'setBrightness' set_color = 'setColor' set_color_temperature = 'setColorTemperature' class Smartfan: turn_on = 'turnOn' turn_off = 'turnOff' set_all_status = 'setAllStatus' class Striplight: turn_on = 'turnOn' turn_off = 'turnOff' toggle = 'toggle' set_brightness = 'setBrightness' set_color = 'setColor' class Virtualinfrared: turn_on = 'turnOn' turn_off = 'turnOff' set_all = 'setAll' set_channel = 'SetChannel' volume_add = 'volumeAdd' volume_sub = 'volumeSub' channel_add = 'channelAdd' channel_sub = 'channelSub' set_mute = 'setMute' fast_forward = 'FastForward' rewind = 'Rewind' next = 'Next' previous = 'Previous' pause = 'Pause' play = 'Play' stop = 'Stop' swing = 'swing' timer = 'timer' low_speed = 'lowSpeed' middle_speed = 'middleSpeed' high_speed = 'highSpeed' brightness_up = 'brightnessUp' brightness_down = 'brightnessDown'
class ScheduleType: # Remind the next time the parametric transformer is ready PARAMETRIC_TRANSFORMER = "parametric" # Remind to do a task at a specific time ONCE = "simple" # Remind to do a task every so often REPEAT = "recurrent"
class Scheduletype: parametric_transformer = 'parametric' once = 'simple' repeat = 'recurrent'
class StatsEvents: # common ERROR = 'error' # voteban SELF_BAN = 'self-ban' VOTEBAN_CALL = 'voteban-call' VOTEBAN_CONFIRM = 'voteban-confirm' VOTEBAN_VOTE = 'voteban-vote' VOTEBAN_UNVOTE = 'voteban-unvote' ADMIN_BAN = 'admin-ban' ADMIN_KICK = 'admin-kick' # nsfw NSFW = 'nsfw' # captcha_button JOIN_CHAT = 'join-chat' CAPTCHA_TIMEOUT = 'captcha-timeout' CAPTCHA_PASSED = 'captcha-passed' CAPTCHA_ERROR = 'captcha-error' # Tempban TEMPBAN = 'admin-tempban'
class Statsevents: error = 'error' self_ban = 'self-ban' voteban_call = 'voteban-call' voteban_confirm = 'voteban-confirm' voteban_vote = 'voteban-vote' voteban_unvote = 'voteban-unvote' admin_ban = 'admin-ban' admin_kick = 'admin-kick' nsfw = 'nsfw' join_chat = 'join-chat' captcha_timeout = 'captcha-timeout' captcha_passed = 'captcha-passed' captcha_error = 'captcha-error' tempban = 'admin-tempban'
# # @lc app=leetcode id=1305 lang=python3 # # [1305] All Elements in Two Binary Search Trees # # https://leetcode.com/problems/all-elements-in-two-binary-search-trees/description/ # # algorithms # Medium (78.63%) # Likes: 1498 # Dislikes: 49 # Total Accepted: 118.2K # Total Submissions: 150K # Testcase Example: '[2,1,4]\n[1,0,3]' # # Given two binary search trees root1 and root2, return a list containing all # the integers from both trees sorted in ascending order. # # # Example 1: # # # Input: root1 = [2,1,4], root2 = [1,0,3] # Output: [0,1,1,2,3,4] # # # Example 2: # # # Input: root1 = [1,null,8], root2 = [8,1] # Output: [1,1,8,8] # # # # Constraints: # # # The number of nodes in each tree is in the range [0, 5000]. # -10^5 <= Node.val <= 10^5 # # # # @lc code=start # 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 getAllElements(self, root1: TreeNode, root2: TreeNode) -> List[int]: # get inorder traversal val1 = self.inorder(root1) val2 = self.inorder(root2) result = [] # merge list while val1 and val2: if val1[-1] < val2[-1]: result.append(val2.pop()) else: result.append(val1.pop()) while val1: result.append(val1.pop()) while val2: result.append(val2.pop()) return result[::-1] def inorder(self, r: TreeNode): return self.inorder(r.left) + [r.val] + self.inorder(r.right) if r else [] # @lc code=end
class Solution: def get_all_elements(self, root1: TreeNode, root2: TreeNode) -> List[int]: val1 = self.inorder(root1) val2 = self.inorder(root2) result = [] while val1 and val2: if val1[-1] < val2[-1]: result.append(val2.pop()) else: result.append(val1.pop()) while val1: result.append(val1.pop()) while val2: result.append(val2.pop()) return result[::-1] def inorder(self, r: TreeNode): return self.inorder(r.left) + [r.val] + self.inorder(r.right) if r else []
# <auto-generated> # This code was generated by the UnitCodeGenerator tool # # Changes to this file will be lost if the code is regenerated # </auto-generated> def to_talbot(value): return value * 3600.0 def to_lumen_minute(value): return value * 60.0 def to_lumen_second(value): return value * 3600.0
def to_talbot(value): return value * 3600.0 def to_lumen_minute(value): return value * 60.0 def to_lumen_second(value): return value * 3600.0
side_a = int(input()) side_b = int(input()) area = side_a * side_b print(area)
side_a = int(input()) side_b = int(input()) area = side_a * side_b print(area)
# WARNING: this uses `eval`, don't run it on untrusted inputs class Node: def __init__(self, value, parent = None): self.parent = parent self.nest = (parent.nest + 1) if parent else 0 if type(value) == list: self.pair = True self.left, self.right = map(lambda n:Node(n,self), value) elif type(value) == Node: self.pair = value.pair if self.pair: self.left, self.right = Node(value.left, self), Node(value.right, self) else: self.val = value.val else: self.val = value self.pair = False def __repr__(self): if not self.pair: return repr(self.val) return '[%s,%s]' % (self.left, self.right); def findExplode(self): if self.pair: if self.nest >= 4: return self return self.left.findExplode() or self.right.findExplode() return False def findSplit(self): if not self.pair: if self.val >= 10: return self return False return self.left.findSplit() or self.right.findSplit() def firstValL(self): if self.pair: return self.left.firstValL() return self def firstValR(self): if self.pair: return self.right.firstValR() return self @staticmethod def _findLeft(root, val): if not root: return False if root.left == val: return Node._findLeft(root.parent, root) return root.left.firstValR() def findLeft(self): return Node._findLeft(self.parent, self) @staticmethod def _findRight(root, val): if not root: return False if root.right == val: return Node._findRight(root.parent, root) return root.right.firstValL() def findRight(self): return Node._findRight(self.parent, self) def explode(self): expl = self.findExplode() if not expl: return False if fL := expl.findLeft(): fL.val += expl.left.val if fR := expl.findRight(): fR.val += expl.right.val expl.pair = False expl.val = 0 return True def split(self): splt = self.findSplit() if not splt: return False splt.pair = True splt.left = Node(splt.val // 2, splt) splt.right = Node(splt.val - splt.val // 2, splt) return True def reduce(self): action = True while action: action = self.explode() if not action: action = self.split() return self def magnitude(self): if not self.pair: return self.val return 3 * self.left.magnitude() + 2 * self.right.magnitude() def __add__(self, node2): return Node([self, node2]).reduce() nodes=[*map(Node,map(eval,open("inputday18")))] print(sum(nodes[1:],nodes[0]).magnitude(),max([(i+j).magnitude() for i in nodes for j in nodes if i!=j]))
class Node: def __init__(self, value, parent=None): self.parent = parent self.nest = parent.nest + 1 if parent else 0 if type(value) == list: self.pair = True (self.left, self.right) = map(lambda n: node(n, self), value) elif type(value) == Node: self.pair = value.pair if self.pair: (self.left, self.right) = (node(value.left, self), node(value.right, self)) else: self.val = value.val else: self.val = value self.pair = False def __repr__(self): if not self.pair: return repr(self.val) return '[%s,%s]' % (self.left, self.right) def find_explode(self): if self.pair: if self.nest >= 4: return self return self.left.findExplode() or self.right.findExplode() return False def find_split(self): if not self.pair: if self.val >= 10: return self return False return self.left.findSplit() or self.right.findSplit() def first_val_l(self): if self.pair: return self.left.firstValL() return self def first_val_r(self): if self.pair: return self.right.firstValR() return self @staticmethod def _find_left(root, val): if not root: return False if root.left == val: return Node._findLeft(root.parent, root) return root.left.firstValR() def find_left(self): return Node._findLeft(self.parent, self) @staticmethod def _find_right(root, val): if not root: return False if root.right == val: return Node._findRight(root.parent, root) return root.right.firstValL() def find_right(self): return Node._findRight(self.parent, self) def explode(self): expl = self.findExplode() if not expl: return False if (f_l := expl.findLeft()): fL.val += expl.left.val if (f_r := expl.findRight()): fR.val += expl.right.val expl.pair = False expl.val = 0 return True def split(self): splt = self.findSplit() if not splt: return False splt.pair = True splt.left = node(splt.val // 2, splt) splt.right = node(splt.val - splt.val // 2, splt) return True def reduce(self): action = True while action: action = self.explode() if not action: action = self.split() return self def magnitude(self): if not self.pair: return self.val return 3 * self.left.magnitude() + 2 * self.right.magnitude() def __add__(self, node2): return node([self, node2]).reduce() nodes = [*map(Node, map(eval, open('inputday18')))] print(sum(nodes[1:], nodes[0]).magnitude(), max([(i + j).magnitude() for i in nodes for j in nodes if i != j]))
HOST = "0.0.0.0" DEBUG = True PORT = 8000 WORKERS = 4
host = '0.0.0.0' debug = True port = 8000 workers = 4
# -*- coding: utf-8 -*- # Re-partitions the feature lookup blocks to conform to a specific max. block size filename = "feature US.txt" outfilename = "frag feature US.txt" with open(outfilename, "wt") as fout: with open(filename, "rt") as fin: lookupsize = 50 lookupcount = 0 count = 0 wascontextual = False calt = False for line in fin: if calt: if count == 0: startenclose = ' lookup lu%03d useExtension{\n' % (lookupcount,) fout.write(startenclose) count += 1 if ('{' not in line) and ('}' not in line) and (';' in line): if not(wascontextual == ("'" in line)): # group contextual substitutions and ligature in respective lookup blocks wascontextual = not wascontextual endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) lookupcount += 1 startenclose = ' lookup lu%03d useExtension{\n' % (lookupcount,) fout.write(startenclose) count = 0 fout.write(line) count += 1 if count == lookupsize: endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) lookupcount += 1 count = 0 else: fout.write(line) if 'liga;' in line: calt = True fout.write('feature calt {\n') if count != lookupsize: endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) fout.write('} calt;\n')
filename = 'feature US.txt' outfilename = 'frag feature US.txt' with open(outfilename, 'wt') as fout: with open(filename, 'rt') as fin: lookupsize = 50 lookupcount = 0 count = 0 wascontextual = False calt = False for line in fin: if calt: if count == 0: startenclose = ' lookup lu%03d useExtension{\n' % (lookupcount,) fout.write(startenclose) count += 1 if '{' not in line and '}' not in line and (';' in line): if not wascontextual == ("'" in line): wascontextual = not wascontextual endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) lookupcount += 1 startenclose = ' lookup lu%03d useExtension{\n' % (lookupcount,) fout.write(startenclose) count = 0 fout.write(line) count += 1 if count == lookupsize: endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) lookupcount += 1 count = 0 else: fout.write(line) if 'liga;' in line: calt = True fout.write('feature calt {\n') if count != lookupsize: endenclose = ' } lu%03d;\n\n' % (lookupcount,) fout.write(endenclose) fout.write('} calt;\n')
class MenuItem: pass # Create an instance of the MenuItem class menu_item1 = MenuItem()
class Menuitem: pass menu_item1 = menu_item()
{ "targets" : [{ "target_name" : "nof", "sources" : [ "src/nof.cc", "src/mpi/node_mpi.cc", "src/osuflow/osuflow.cc", "src/osuflow/field.cc" ], "include_dirs" : ["deps/osuflow/include"], "libraries" : [ "../deps/osuflow/lib/libOSUFlow.so", "../deps/osuflow/lib/libdiy.so" ] }] }
{'targets': [{'target_name': 'nof', 'sources': ['src/nof.cc', 'src/mpi/node_mpi.cc', 'src/osuflow/osuflow.cc', 'src/osuflow/field.cc'], 'include_dirs': ['deps/osuflow/include'], 'libraries': ['../deps/osuflow/lib/libOSUFlow.so', '../deps/osuflow/lib/libdiy.so']}]}
def compute(n: int) -> int: combinations = [1] + [0] * n for i in range(1, n): for j in range(i, n + 1): combinations[j] += combinations[j - i] return combinations[-1]
def compute(n: int) -> int: combinations = [1] + [0] * n for i in range(1, n): for j in range(i, n + 1): combinations[j] += combinations[j - i] return combinations[-1]
# API email tester demo def default( server, postData = None, getData = None ): print("email tester") server.email( postData['to'], 'Test Subject', 'Test Body' ) server.respondJson( True )
def default(server, postData=None, getData=None): print('email tester') server.email(postData['to'], 'Test Subject', 'Test Body') server.respondJson(True)
def genhtml(sites): ############################################## html = r'''<!DOCTYPE html> <html lang="ja"> <head> <meta charset="utf-8"> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>Passme JS</title> <style type="text/css"> fieldset { margin: 0; padding: 0.75em; background: #efe; border: solid 1px #999; border-bottom-width: 0; line-height: 1.3em; border-top-left-radius: 0.5em; -moz-border-radius-topleft: 0.5em; -webkit-border-top-left-radius: 0.5em; border-top-right-radius: 0.5em; -moz-border-radius-topright: 0.5em; -webkit-border-top-right-radius: 0.5em; } fieldset.siteinfo { line-height: 2.5em; } fieldset label { display: block; float: left; margin-right: 0.75em; } fieldset div.Field { overflow: hidden; } fieldset div.Field input { width: 100%; background: none; border: none; outline: none; -webkit-appearance: none; } input.Result { width: 98%; background: #ada; } input.Copy { width: 100%; background: #ddd; font-size: 1em; padding: 0.5em; } </style> <script type="text/javascript" src="https://caligatio.github.io/jsSHA/sha.js"></script> <script type="text/javascript"> function CopyText(arg){ element = document.getElementById(arg) element.focus(); element.setSelectionRange(0, 9999); document.execCommand("copy"); element.blur(); document.getElementById("Result").value = "Copied"; document.getElementById("master").value = ""; } function calcHash() { try { var master = document.getElementById("master"); <!-- ------------------------------------------------ Site information --------------------------- --> ''' ###################################################### html = html + \ ('site = "{0}" <!-- Default selection -->'.format(sites[0][0])) html = html + ''' var sitekey = new Object({ ''' for i in sites: site = i[0] key = [i[1]['hash'], i[1]['char'], int(i[1]['len']), i[1]['seed']] for c in i[1]['comment'].split('\n'): key.append(c) html = html + (' "{0}" : {1},\n'.format(site, key)) html = html.rstrip(',\n') ###################################################### html = html + r''' }); <!-- -------------------------------------------------------------------------------------------- --> var seed = document.getElementsByName('seed'); for (i = 0; i < seed.length; i++) { if (seed[i].checked) { site = seed[i].value; } } SiteInfo = "<fieldset class=\"siteinfo\">"; for (var key in sitekey) { if (site == key) { checked = "checked=\"checked\" "; } else { checked = ""; } SiteInfo = SiteInfo + "<input type=\"radio\" name=\"seed\" value=\"" + key + "\" " + checked + "onclick=\"calcHash()\">" + key; } SiteInfo = SiteInfo + "</fieldset>"; site = sitekey[site]; var hash = site[0]; var char = site[1]; var plen = site[2]; var seed = site[3]; if (site.length > 4) { SiteInfo = SiteInfo + "<ul>"; for (var i = 4; i < site.length; i++) { var SiteInfo = SiteInfo + "<li>" + site[i].replace(/((http:|https:)\/\/[\x21-\x26\x28-\x7e]+)/gi, "<a href='$1'>$1</a>") + "</li>"; } SiteInfo = SiteInfo + "</ul>" } hash = hash.replace("sha3_","SHA3-").replace("sha","SHA-"); <!-- convert from Python hashlib --> var Password = document.getElementById("Result"); var SiteInfoOutput = document.getElementById("SiteInfo"); var hashObj = new jsSHA(hash, "BYTES"); hashObj.update(master.value + seed); base = hashObj.getHash("B64"); switch (char) { case "base64": p = base; break; case "an": p = base.replace(/[+/=]/g,""); break; case "a": p = base.replace(/[0-9+/=]/g,""); break; case "n": p = hashObj.getHash("HEX").replace(/[a-f]/g,""); break; case "ans": symbol = "#[$-=?@]_!" p = base.replace(/=/g,""); a = p.charCodeAt(0) % symbol.length; symbol = symbol.slice(a,-1) + symbol.slice(0,a) for (var i = 0; i < symbol.length; i++) { p = p.split(p.charAt(0)).join(symbol.charAt(i)).slice(1,-1) + p.charAt(0); } break; default: p = "Error"; break; } Password.value = p.slice(0,plen); if (SiteInfo > "") {SiteInfoOutput.innerHTML = SiteInfo;} document.getElementById("master").focus(); } catch(e) { Password.value = e.message } } </script> </head> <body onload="calcHash()"> <h1>Passme JS</h1> <form action="#" method="get"> <div id="SiteInfo"></div> <fieldset id="PasswdField" onclick="document.getElementById('Passwd').focus();"> <label id="PasswdLabel" for="master">Master</label> <div class="Field"> <input type="text" name="master" id="master" onkeyup="calcHash()"> </div> </fieldset> <div> <input class="Result" type="text" name="Result" id="Result"> </div> <div> <input class="Copy" type="button" name="Copy" value="Copy" onClick="CopyText('Result');"> </div> </form> <p><a href="https://github.com/sekika/passme">Passme</a></p> </body> </html> ''' ###################################################### return html
def genhtml(sites): html = '<!DOCTYPE html>\n<html lang="ja">\n<head>\n<meta charset="utf-8">\n<meta name="viewport" content="width=device-width, initial-scale=1">\n<title>Passme JS</title>\n\n<style type="text/css">\n fieldset {\n margin: 0; padding: 0.75em; background: #efe; border: solid 1px #999; border-bottom-width: 0; line-height: 1.3em;\n border-top-left-radius: 0.5em; -moz-border-radius-topleft: 0.5em; -webkit-border-top-left-radius: 0.5em;\n border-top-right-radius: 0.5em; -moz-border-radius-topright: 0.5em; -webkit-border-top-right-radius: 0.5em;\n }\n fieldset.siteinfo {\n line-height: 2.5em;\n }\n fieldset label { display: block; float: left; margin-right: 0.75em; }\n fieldset div.Field { overflow: hidden; }\n fieldset div.Field input {\n width: 100%; background: none; border: none; outline: none; -webkit-appearance: none;\n }\n input.Result { width: 98%; background: #ada; }\n input.Copy { width: 100%; background: #ddd; font-size: 1em; padding: 0.5em; }\n</style>\n\n<script type="text/javascript" src="https://caligatio.github.io/jsSHA/sha.js"></script>\n\n<script type="text/javascript">\nfunction CopyText(arg){\n element = document.getElementById(arg)\n element.focus();\n element.setSelectionRange(0, 9999);\n document.execCommand("copy");\n element.blur();\n document.getElementById("Result").value = "Copied";\n document.getElementById("master").value = "";\n}\nfunction calcHash() {\ntry {\n var master = document.getElementById("master");\n\n<!-- ------------------------------------------------ Site information --------------------------- -->\n\n' html = html + 'site = "{0}" <!-- Default selection -->'.format(sites[0][0]) html = html + '\n\n var sitekey = new Object({\n\n' for i in sites: site = i[0] key = [i[1]['hash'], i[1]['char'], int(i[1]['len']), i[1]['seed']] for c in i[1]['comment'].split('\n'): key.append(c) html = html + ' "{0}" : {1},\n'.format(site, key) html = html.rstrip(',\n') html = html + '\n });\n\n<!-- -------------------------------------------------------------------------------------------- -->\n\n var seed = document.getElementsByName(\'seed\');\n for (i = 0; i < seed.length; i++) {\n if (seed[i].checked) {\n site = seed[i].value;\n }\n }\n\n SiteInfo = "<fieldset class=\\"siteinfo\\">";\n for (var key in sitekey) {\n if (site == key) {\n checked = "checked=\\"checked\\" ";\n } else {\n checked = "";\n }\n SiteInfo = SiteInfo + "<input type=\\"radio\\" name=\\"seed\\" value=\\"" + key + "\\" " + checked + "onclick=\\"calcHash()\\">" + key;\n }\n SiteInfo = SiteInfo + "</fieldset>";\n\n site = sitekey[site];\n\n var hash = site[0];\n var char = site[1];\n var plen = site[2];\n var seed = site[3];\n\n if (site.length > 4) {\n SiteInfo = SiteInfo + "<ul>";\n for (var i = 4; i < site.length; i++) {\n var SiteInfo = SiteInfo + "<li>" + site[i].replace(/((http:|https:)\\/\\/[\\x21-\\x26\\x28-\\x7e]+)/gi, "<a href=\'$1\'>$1</a>") + "</li>";\n }\n SiteInfo = SiteInfo + "</ul>"\n }\n\n hash = hash.replace("sha3_","SHA3-").replace("sha","SHA-"); <!-- convert from Python hashlib -->\n var Password = document.getElementById("Result");\n var SiteInfoOutput = document.getElementById("SiteInfo");\n\n var hashObj = new jsSHA(hash, "BYTES");\n hashObj.update(master.value + seed);\n\n base = hashObj.getHash("B64");\n\n switch (char) {\n case "base64":\n p = base;\n break;\n case "an":\n p = base.replace(/[+/=]/g,"");\n break;\n case "a":\n p = base.replace(/[0-9+/=]/g,"");\n break;\n case "n":\n p = hashObj.getHash("HEX").replace(/[a-f]/g,"");\n break;\n case "ans":\n symbol = "#[$-=?@]_!"\n p = base.replace(/=/g,"");\n a = p.charCodeAt(0) % symbol.length;\n symbol = symbol.slice(a,-1) + symbol.slice(0,a)\n for (var i = 0; i < symbol.length; i++) {\n p = p.split(p.charAt(0)).join(symbol.charAt(i)).slice(1,-1) + p.charAt(0);\n }\n break;\n default:\n p = "Error";\n break;\n }\n Password.value = p.slice(0,plen);\n if (SiteInfo > "") {SiteInfoOutput.innerHTML = SiteInfo;}\n document.getElementById("master").focus();\n } catch(e) {\n Password.value = e.message\n }\n}\n</script>\n</head>\n<body onload="calcHash()">\n<h1>Passme JS</h1>\n\n<form action="#" method="get">\n\n<div id="SiteInfo"></div>\n\n<fieldset id="PasswdField" onclick="document.getElementById(\'Passwd\').focus();">\n <label id="PasswdLabel" for="master">Master</label>\n <div class="Field">\n <input type="text" name="master" id="master" onkeyup="calcHash()">\n </div>\n</fieldset>\n<div>\n <input class="Result" type="text" name="Result" id="Result">\n</div>\n<div>\n <input class="Copy" type="button" name="Copy" value="Copy" onClick="CopyText(\'Result\');">\n</div>\n</form>\n\n<p><a href="https://github.com/sekika/passme">Passme</a></p>\n</body>\n</html>\n' return html
def get_bright(r, g, b): return sum([r, g, b]) / 3
def get_bright(r, g, b): return sum([r, g, b]) / 3