content
stringlengths
1
1.04M
input_ids
listlengths
1
774k
ratio_char_token
float64
0.38
22.9
token_count
int64
1
774k
"""Tests for the vaillant HUB.""" import mock import pytest from pymultimatic.api import ApiError from homeassistant.components import vaillant from homeassistant.components.vaillant import DOMAIN from tests.components.vaillant import _setup, SystemManagerMock @pytest.fixture(autouse=True) def fixture_no_platform(mock_system_manager): """Mock vaillant without platform.""" orig_platforms = vaillant.PLATFORMS vaillant.PLATFORMS = [] yield vaillant.PLATFORMS = orig_platforms @pytest.fixture(name="mock_init") def fixture_mock_init(): """Mock SystemManagerMock constructor.""" orig_init = SystemManagerMock.__init__ yield orig_init SystemManagerMock.__init__ = orig_init async def test_invalid_config(hass): """Test setup with invalid config.""" assert not await _setup(hass, {DOMAIN: {'boom': 'boom'}}) assert not hass.states.async_entity_ids() async def test_login_failed(hass, mock_init): """Test when login fails.""" SystemManagerMock.__init__ = new_init assert not await _setup(hass) async def test_hvac_update_fails(hass, mock_init): """Test when hvac update request fails.""" SystemManagerMock.__init__ = new_init assert await _setup(hass)
[ 37811, 51, 3558, 329, 262, 46935, 359, 415, 367, 10526, 526, 15931, 198, 198, 11748, 15290, 198, 11748, 12972, 9288, 198, 6738, 279, 4948, 586, 320, 1512, 13, 15042, 1330, 5949, 72, 12331, 198, 198, 6738, 1363, 562, 10167, 13, 5589, 3...
2.730088
452
import datetime from django.contrib import messages from django.shortcuts import redirect from django.utils import timezone from django.views.generic import CreateView, DetailView, FormView, UpdateView, View from django.views.generic.detail import SingleObjectMixin from website.apps.core.mixins import IsActiveObjectMixin, LoginRequiredMixin from website.apps.core.tasks import send_email from website.apps.core.views import RapidSMSListView from .forms import PackageCreateEditForm, PackageFlagForm from .models import Package from .tasks import update_package # TODO: This probably doesn't need to require login. But in that case we may # want to integrate something like honeypot at least. class PackageFlag(LoginRequiredMixin, IsActiveObjectMixin, SingleObjectMixin, FormView): """ Currently we allow users to freely upload RapidSMS packages to the site. In case something gets on there that shouldn't, a user can email an administrator through the package flag form. """ model = Package form_class = PackageFlagForm template_name = 'packages/package_flag.html' context_object_name = 'object' # For consistency with other views. class PackageRefresh(LoginRequiredMixin, IsActiveObjectMixin, SingleObjectMixin, View): """ User-triggered refresh of the cached PyPI data, especially for use while they are re-uploading their own package and want to see what changes occurred. """ model = Package http_method_names = ['post'] @staticmethod
[ 11748, 4818, 8079, 198, 198, 6738, 42625, 14208, 13, 3642, 822, 1330, 6218, 198, 6738, 42625, 14208, 13, 19509, 23779, 1330, 18941, 198, 6738, 42625, 14208, 13, 26791, 1330, 640, 11340, 198, 6738, 42625, 14208, 13, 33571, 13, 41357, 1330,...
3.531323
431
#!/usr/bin/env python # -*- Mode: Python; tab-width: 4; indent-tabs-mode: nil; -*- # vim:set ft=python ts=4 sw=4 sts=4 autoindent: """Main entry for the brat server, ensures integrity, handles dispatch and processes potential exceptions before returning them to be sent as responses. NOTE(S): * Defer imports until failures can be catched * Stay compatible with Python 2.3 until we verify the Python version Author: Pontus Stenetorp <pontus is s u-tokyo ac jp> Version: 2011-09-29 """ from cgi import FieldStorage from os.path import join as path_join from os.path import abspath from sys import stderr, version_info from time import time from _thread import allocate_lock # Constants # This handling of version_info is strictly for backwards compatibility PY_VER_STR = '%d.%d.%d-%s-%d' % tuple(version_info) REQUIRED_PY_VERSION = (2, 5, 0, 'alpha', 1) REQUIRED_PY_VERSION_STR = '%d.%d.%d-%s-%d' % tuple(REQUIRED_PY_VERSION) JSON_HDR = ('Content-Type', 'application/json') CONF_FNAME = 'config.py' CONF_TEMPLATE_FNAME = 'config_template.py' CONFIG_CHECK_LOCK = allocate_lock() ### # TODO: Possibly check configurations too # TODO: Extend to check __everything__? # Error message template functions # Check for existence and sanity of the configuration # Convert internal log level to `logging` log level # Programmatically access the stack-trace # Encapsulate an interpreter crash # Serve the client request
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 2, 532, 9, 12, 10363, 25, 11361, 26, 7400, 12, 10394, 25, 604, 26, 33793, 12, 8658, 82, 12, 14171, 25, 18038, 26, 532, 9, 12, 198, 2, 43907, 25, 2617, 10117, 28, 29412, 40379, 28...
3.068085
470
"""A handler that sends mails.""" import smtplib import os.path from ConfigParser import RawConfigParser from email.mime.multipart import MIMEMultipart from email.mime.text import MIMEText # load config CFG_PATH = os.path.join( os.path.dirname(__file__), '..', '..', '..', 'notify.cfg') CONFIG = RawConfigParser() CONFIG.read(CFG_PATH) SENDER_MAIL = CONFIG.get('mail', 'sender') SMPT_SERVER = CONFIG.get('mail', 'smtp_server') class MailHandler(): """Handler is initialized with two functions, the first being a predicate to decide whether to send a mail, the second returning a list of recipient mail addresses.""" def handle(self, message): """Send multipart mail.""" if (not self.interested_in(message)): return None recipients = self.getrecipients(message) if len(recipients) == 0: return None msg = MIMEMultipart('alternative') msg['Subject'] = message.title msg['From'] = SENDER_MAIL content = message.content_plain.encode('utf-8') part1 = MIMEText(content, 'plain', 'utf-8') content = message.content.encode('utf-8') part2 = MIMEText(content, 'html', 'utf-8') msg.attach(part1) msg.attach(part2) smtp = smtplib.SMTP(SMPT_SERVER) smtp.sendmail(SENDER_MAIL, recipients, msg.as_string()) smtp.close()
[ 37811, 32, 21360, 326, 12800, 285, 1768, 526, 15931, 198, 198, 11748, 895, 83, 489, 571, 198, 11748, 28686, 13, 6978, 198, 6738, 17056, 46677, 1330, 16089, 16934, 46677, 198, 198, 6738, 3053, 13, 76, 524, 13, 16680, 541, 433, 1330, 33...
2.363176
592
from pyspark.sql import Row from string import ascii_lowercase from splink.estimate import estimate_u_values from uuid import uuid4 from splink.case_statements import sql_gen_case_smnt_strict_equality_2 import pytest
[ 6738, 279, 893, 20928, 13, 25410, 1330, 11314, 198, 6738, 4731, 1330, 355, 979, 72, 62, 21037, 7442, 198, 198, 6738, 4328, 676, 13, 395, 1920, 1330, 8636, 62, 84, 62, 27160, 198, 6738, 334, 27112, 1330, 334, 27112, 19, 198, 6738, 43...
3.098592
71
""" Drop Path Hacked together by / Copyright 2020 Ross Wightman (https://github.com/rwightman) """ import jax.random as jr from objax import random from objax.typing import JaxArray def drop_path(x: JaxArray, drop_prob: float = 0., generator=random.DEFAULT_GENERATOR) -> JaxArray: """Drop paths (Stochastic Depth) per sample (when applied in main path of residual blocks). This is the same as the DropConnect impl I created for EfficientNet, etc networks, however, the original name is misleading as 'Drop Connect' is a different form of dropout in a separate paper... See discussion: https://github.com/tensorflow/tpu/issues/494#issuecomment-532968956 ... I've opted for changing the layer and argument names to 'drop path' rather than mix DropConnect as a layer name and use 'survival rate' as the argument. """ # FIXME not tested if drop_prob == 0.: return x keep_prob = 1 - drop_prob keep_shape = (x.shape[0], 1, 1, 1) keep_mask = keep_prob + jr.bernoulli(generator.key(), p=keep_prob, shape=keep_shape) output = (x / keep_prob) * keep_mask return output
[ 37811, 14258, 10644, 198, 39, 6021, 1978, 416, 1220, 15069, 12131, 9847, 370, 432, 805, 357, 5450, 1378, 12567, 13, 785, 14, 31653, 432, 805, 8, 198, 37811, 198, 11748, 474, 897, 13, 25120, 355, 474, 81, 198, 6738, 26181, 897, 1330, ...
2.981481
378
""" Code to enable coverage of any external code called by the notebook. """ import os import coverage # Coverage setup/teardown code to run in kernel # Inspired by pytest-cov code. _python_setup = """\ import coverage __cov = coverage.Coverage( data_file=%r, source=%r, config_file=%r, auto_data=True, data_suffix=%r, ) __cov.load() __cov.start() __cov._warn_no_data = False __cov._warn_unimported_source = False """ _python_teardown = """\ __cov.stop() __cov.save() """ def setup_coverage(config, kernel, floc, output_loc=None): """Start coverage reporting in kernel. Currently supported kernel languages are: - Python """ language = kernel.language if language.startswith('python'): # Get the pytest-cov coverage object cov = get_cov(config) if cov: # If present, copy the data file location used by pytest-cov data_file = os.path.abspath(cov.config.data_file) else: # Fall back on output_loc and current dir if not data_file = os.path.abspath(os.path.join(output_loc or os.getcwd(), '.coverage')) # Get options from pytest-cov's command line arguments: source = config.option.cov_source config_file = config.option.cov_config if isinstance(config_file, str) and os.path.isfile(config_file): config_file = os.path.abspath(config_file) # Copy the suffix of plugin if available suffix = _make_suffix(cov) if suffix is True: # Cannot merge data with autogen suffix, so turn off warning # for missing data in pytest-cov collector cov._warn_no_data = False # Build setup command and execute in kernel: cmd = _python_setup % (data_file, source, config_file, suffix) msg_id = kernel.kc.execute(cmd, stop_on_error=False) kernel.await_idle(msg_id, 60) # A minute should be plenty to enable coverage else: config.warn( 'C1', 'Coverage currently not supported for language "%s".' % language, floc) return def teardown_coverage(config, kernel, output_loc=None): """Finish coverage reporting in kernel. The coverage should previously have been started with setup_coverage. """ language = kernel.language if language.startswith('python'): # Teardown code does not require any input, simply execute: msg_id = kernel.kc.execute(_python_teardown) kernel.await_idle(msg_id, 60) # A minute should be plenty to write out coverage # Ensure we merge our data into parent data of pytest-cov, if possible cov = get_cov(config) _merge_nbval_coverage_data(cov) else: # Warnings should be given on setup, or there might be no teardown # for a specific language, so do nothing here pass def get_cov(config): """Returns the coverage object of pytest-cov.""" # Check with hasplugin to avoid getplugin exception in older pytest. if config.pluginmanager.hasplugin('_cov'): plugin = config.pluginmanager.getplugin('_cov') if plugin.cov_controller: return plugin.cov_controller.cov return None def _make_suffix(cov): """Create a suffix for nbval data file depending on pytest-cov config.""" # Check if coverage object has data_suffix: if cov and cov.data_suffix is not None: # If True, the suffix will be autogenerated by coverage.py. # The suffixed data files will be automatically combined later. if cov.data_suffix is True: return True # Has a suffix, but we add our own extension return cov.data_suffix + '.nbval' return 'nbval' def _merge_nbval_coverage_data(cov): """Merge nbval coverage data into pytest-cov data.""" if not cov: return suffix = _make_suffix(cov) if suffix is True: # Note: If suffix is true, we are running in parallel, so several # files will be generated. This will cause some warnings about "no coverage" # but is otherwise OK. Do nothing. return # Get the filename of the nbval coverage: filename = cov.data_files.filename + '.' + suffix # Read coverage generated by nbval in this run: nbval_data = coverage.CoverageData(debug=cov.debug) try: nbval_data.read_file(os.path.abspath(filename)) except coverage.CoverageException: return # Set up aliases (following internal coverage.py code here) aliases = None if cov.config.paths: aliases = coverage.files.PathAliases() for paths in cov.config.paths.values(): result = paths[0] for pattern in paths[1:]: aliases.add(pattern, result) # Merge nbval data into pytest-cov data: cov.data.update(nbval_data, aliases=aliases) # Delete our nbval coverage data coverage.misc.file_be_gone(filename) """ Note about coverage data/datafiles: When pytest is running, we get the pytest-cov coverage object. This object tracks its own coverage data, which is stored in its data file. For several reasons detailed below, we cannot use the same file in the kernel, so we have to ensure our own, and then ensure that they are all merged correctly at the end. The important factor here is the data_suffix attribute which might be set. Cases: 1. data_suffix is set to None: No suffix is used by pytest-cov. We need to create a new file, so we add a suffix for kernel, and then merge this file into the pytest-cov data at teardown. 2. data_suffix is set to a string: We need to create a new file, so we append a string to the suffix passed to the kernel. We merge this file into the pytest-cov data at teardown. 3. data_suffix is set to True: The suffix will be autogenerated by coverage.py, along the lines of 'hostname.pid.random'. This is typically used for parallel tests. We pass True as suffix to kernel, ensuring a unique auto-suffix later. We cannot merge this data into the pytest-cov one, as we do not know the suffix, but we can just leave the data for automatic collection. However, this might lead to a warning about no coverage data being collected by the pytest-cov collector. Why do we need our own coverage data file? Coverage data can get lost if we try to sync via load/save/load cycles between the two. By having our own file, we can do an in-memory merge of the data afterwards using the official API. Either way, the data will always be merged to one coverage file in the end, so these files are transient. """
[ 37811, 198, 10669, 284, 7139, 5197, 286, 597, 7097, 2438, 1444, 416, 262, 198, 11295, 2070, 13, 198, 37811, 198, 198, 11748, 28686, 198, 11748, 5197, 628, 198, 2, 33998, 9058, 14, 660, 446, 593, 2438, 284, 1057, 287, 9720, 198, 2, 4...
2.7182
2,445
from flask import request from flask_restful import Resource
[ 6738, 42903, 1330, 2581, 198, 6738, 42903, 62, 2118, 913, 1330, 20857, 628 ]
4.769231
13
import requests import json from blizzardapi import BlizzardApi f = open('utils/APIClient.json',) data = json.load(f) api_client = BlizzardApi(data['client_id'], data['client_secret']) for i in range(0,6): data = api_client.hearthstone.game_data.search_cards("eu","en_US", game_mode="battlegrounds", tier=i+1, page=1) with open(f'game/cards/tier{i+1}.json', 'w') as outfile: json.dump(data, outfile, indent=4)
[ 11748, 7007, 198, 11748, 33918, 198, 6738, 698, 16191, 15042, 1330, 20206, 32, 14415, 198, 198, 69, 796, 1280, 10786, 26791, 14, 2969, 2149, 75, 1153, 13, 17752, 3256, 8, 198, 7890, 796, 33918, 13, 2220, 7, 69, 8, 198, 198, 15042, 6...
2.532164
171
import FWCore.ParameterSet.Config as cms from FastSimulation.Configuration.Geometries_cff import * import FastSimulation.SimplifiedGeometryPropagator.fastSimProducer_cff # Apply Tracker and Muon misalignment process.fastSimProducer.detectorDefinition.trackerAlignmentLabel = cms.untracked.string("") misalignedTrackerGeometry.applyAlignment = True misalignedDTGeometry.applyAlignment = True misalignedCSCGeometry.applyAlignment = True
[ 11748, 48849, 14055, 13, 36301, 7248, 13, 16934, 355, 269, 907, 198, 198, 6738, 12549, 8890, 1741, 13, 38149, 13, 10082, 908, 1678, 62, 66, 487, 1330, 1635, 198, 198, 11748, 12549, 8890, 1741, 13, 8890, 489, 1431, 10082, 15748, 24331, ...
3.429688
128
# -*- coding: utf-8 -*- # # This software may be modified and distributed under the terms # of the MIT license. See the LICENSE file for details. from collections import OrderedDict from difflib import unified_diff from os.path import splitext from pathlib import Path from mezzanine.pages.models import Page from mezzanine_sync_pages.base import SyncPagesBase # ---------------------------------------------------------------------- # ---------------------------------------------------------------------- # ---------------------------------------------------------------------- # ---------------------------------------------------------------------- # ---------------------------------------------------------------------- # ---------------------------------------------------------------------- # ----------------------------------------------------------------------
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 2, 198, 2, 770, 3788, 743, 307, 9518, 290, 9387, 739, 262, 2846, 198, 2, 286, 262, 17168, 5964, 13, 220, 4091, 262, 38559, 24290, 2393, 329, 3307, 13, 198, 198, 6738...
5.846154
156
import logging import webapp2 import config import re import json import models from google.appengine.api import mail ''' Base controller to deal with 500 errors ''' class base_page_controller(webapp2.RequestHandler): """ Base pag controller """ ''' Show the home page. ''' ''' Send the email ''' ''' Show the template based on the URL. '''
[ 11748, 18931, 198, 11748, 3992, 1324, 17, 198, 11748, 4566, 198, 11748, 302, 198, 11748, 33918, 198, 11748, 4981, 198, 6738, 23645, 13, 1324, 18392, 13, 15042, 1330, 6920, 198, 198, 7061, 6, 198, 14881, 10444, 284, 1730, 351, 5323, 8563...
3.190909
110
#!/usr/bin/env python import argparse parser = argparse.ArgumentParser(description="Measure statistics across multiple chains.") parser.add_argument("--burn", type=int, default=0, help="How many samples to discard from the beginning of the chain for burn in.") parser.add_argument("--config", default="config.yaml", help="The config file specifying everything we need.") args = parser.parse_args() import yaml f = open(args.config) config = yaml.load(f) f.close() import numpy as np from scipy.optimize import fmin import matplotlib.pyplot as plt # Determine the highest density interval, a region that spans some percentage of the interval (e.g., 68%, or 95%), such that every value inside the interval has a higher probability than those outside of it. # Let's simply do this numerically for grid_name in config["grids"]: print(grid_name) chain = np.load(config["outfile"].format(grid_name)) # Truncate burn in from chain chain = chain[:, args.burn:, :] nwalkers, niter, ndim = chain.shape nsamples = nwalkers * niter # Flatchain is made after the walkers have been burned flatchain = np.reshape(chain, (nsamples, ndim)) age, mass0, mass1 = flatchain.T q = mass1/mass0 total = mass0 + mass1 flatchain = np.array([age, total, mass0, mass1, q]).T for i in range(flatchain.shape[1]): hdi(flatchain[:,i])
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 198, 11748, 1822, 29572, 198, 198, 48610, 796, 1822, 29572, 13, 28100, 1713, 46677, 7, 11213, 2625, 47384, 7869, 1973, 3294, 14659, 19570, 198, 48610, 13, 2860, 62, 49140, 7203, 438, 108...
3
461
import pygame import game pygame.init() pygame.display.set_caption('R') clock = pygame.time.Clock() fps = 60 gameDisp = pygame.display.set_mode((800, 600), pygame.HWSURFACE|pygame.DOUBLEBUF|pygame.RESIZABLE) while True: for event in pygame.event.get(): if event.type == pygame.QUIT: quitfunc() game.update() game.draw() pygame.display.update() clock.tick(fps) pygame.quit()
[ 11748, 12972, 6057, 220, 198, 11748, 983, 198, 198, 9078, 6057, 13, 15003, 3419, 198, 198, 9078, 6057, 13, 13812, 13, 2617, 62, 6888, 1159, 10786, 49, 11537, 198, 15750, 796, 12972, 6057, 13, 2435, 13, 44758, 3419, 198, 29647, 796, 31...
2.318681
182
from flask_sqlalchemy import SQLAlchemy from .app import app db = SQLAlchemy(app) db_engine = db.engine db_connection = db_engine.connect()
[ 6738, 42903, 62, 25410, 282, 26599, 1330, 16363, 2348, 26599, 198, 198, 6738, 764, 1324, 1330, 598, 198, 198, 9945, 796, 16363, 2348, 26599, 7, 1324, 8, 198, 198, 9945, 62, 18392, 796, 20613, 13, 18392, 198, 9945, 62, 38659, 796, 2061...
2.979167
48
# -*- coding: utf-8 -*- # Generated by Django 1.11.13 on 2018-06-08 04:57 from __future__ import unicode_literals import django.core.validators from django.db import migrations, models
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 2, 2980, 515, 416, 37770, 352, 13, 1157, 13, 1485, 319, 2864, 12, 3312, 12, 2919, 8702, 25, 3553, 198, 6738, 11593, 37443, 834, 1330, 28000, 1098, 62, 17201, 874, 198,...
2.833333
66
#!/usr/bin/env python from settings import * import numpy as np import struct
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 198, 6738, 6460, 1330, 1635, 198, 11748, 299, 32152, 355, 45941, 198, 11748, 2878, 198 ]
3.291667
24
""" Prepare MDS cluster for upgrade. """ import logging import time from tasks.cephfs.filesystem import Filesystem log = logging.getLogger(__name__) def task(ctx, config): """ Prepare MDS cluster for upgrade. This task reduces ranks to 1 and stops all standbys. """ if config is None: config = {} assert isinstance(config, dict), \ 'snap-upgrade task only accepts a dict for configuration' fs = Filesystem(ctx) status = fs.getinfo() fs.set_max_mds(1) fs.reach_max_mds() # Stop standbys now to minimize time rank 0 is down in subsequent: # tasks: # - ceph.stop: [mds.*] rank0 = fs.get_rank(rank=0, status=status) for daemon in ctx.daemons.iter_daemons_of_role('mds', fs.mon_manager.cluster): if rank0['name'] != daemon.id_: daemon.stop() for i in range(1, 10): time.sleep(5) # time for FSMap to update status = fs.getinfo() if len(list(status.get_standbys())) == 0: break assert(len(list(status.get_standbys())) == 0)
[ 37811, 198, 37534, 533, 337, 5258, 13946, 329, 8515, 13, 198, 37811, 198, 198, 11748, 18931, 198, 11748, 640, 198, 198, 6738, 8861, 13, 344, 746, 9501, 13, 16624, 6781, 1330, 13283, 6781, 198, 198, 6404, 796, 18931, 13, 1136, 11187, 1...
2.419501
441
# -*- coding: utf-8 -*- """ Created on Thu May 21 15:21:59 2020 @author: Reuben """ import unittest import numpy as np import npsolve.soft_functions as soft
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 37811, 198, 41972, 319, 26223, 1737, 2310, 1315, 25, 2481, 25, 3270, 12131, 198, 198, 31, 9800, 25, 797, 44636, 198, 37811, 628, 198, 11748, 555, 715, 395, 198, 11748, ...
1.596685
181
""" Pay to delegated puzzle or hidden puzzle In this puzzle program, the solution must choose either a hidden puzzle or a delegated puzzle on a given public key. The given public key is morphed by adding an offset from the hash of the hidden puzzle and itself, giving a new so-called "synthetic" public key which has the hidden puzzle hidden inside of it. If the hidden puzzle path is taken, the hidden puzzle and original public key will be revealed which proves that it was hidden there in the first place. This roughly corresponds to bitcoin's taproot. Note: p2_delegated_puzzle_or_hidden_puzzle is essentially the "standard coin" in chinilla. DEFAULT_HIDDEN_PUZZLE_HASH from this puzzle is used with calculate_synthetic_secret_key in the wallet's standard pk_to_sk finder. This is important because it allows sign_coin_spends to function properly via the following mechanism: - A 'standard coin' coin exists in the blockchain with some puzzle hash. - The user's wallet contains a primary sk/pk pair which are used to derive to one level a set of auxiliary sk/pk pairs which are used for specific coins. These can be used for signing in AGG_SIG_ME, but the standard coin uses a key further derived from one of these via calculate_synthetic_secret_key as described in https://chinillalisp.com/docs/standard_transaction. Therefore, when a wallet needs to find a secret key for signing based on a public key, it needs to try repeating this derivation as well and see if the G1Element (pk) associated with any of the derived secret keys matches the pk requested by the coin. - Python code previously appeared which was written like: delegated_puzzle_solution = Program.to((1, condition_args)) solutions = Program.to([[], delgated_puzzle_solution, []]) In context, delegated_puzzle_solution here is any *chinillalisp program*, here one simply quoting a list of conditions, and the following argument is the arguments to this program, which here are unused. Secondly, the actual arguments to the p2_delegated_puzzle_or_hidden_puzzle are given. The first argument determines whether a hidden or revealed puzzle is used. If the puzzle is hidden, then what is required is a signature given a specific synthetic key since the key cannot be derived inline without the puzzle. In that case, the first argument is this key. In most cases, the puzzle will be revealed, and this argument will be the nil object, () (represented here by an empty python list). The second and third arguments are a chinillalisp program and its corresponding arguments, which will be run inside the standard coin puzzle. This interacts with sign_coin_spend in that the AGG_SIG_ME condition added by the inner puzzle asks the surrounding system to provide a signature over the provided program with a synthetic key whose derivation is within. Any wallets which intend to use standard coins in this way must try to resolve a public key to a secret key via this derivation. """ import hashlib from typing import Union from blspy import G1Element, PrivateKey from clvm.casts import int_from_bytes from chinilla.types.blockchain_format.program import Program from chinilla.types.blockchain_format.sized_bytes import bytes32 from .load_clvm import load_clvm from .p2_conditions import puzzle_for_conditions DEFAULT_HIDDEN_PUZZLE = Program.from_bytes(bytes.fromhex("ff0980")) DEFAULT_HIDDEN_PUZZLE_HASH = DEFAULT_HIDDEN_PUZZLE.get_tree_hash() # this puzzle `(x)` always fails MOD = load_clvm("p2_delegated_puzzle_or_hidden_puzzle.clvm") SYNTHETIC_MOD = load_clvm("calculate_synthetic_public_key.clvm") PublicKeyProgram = Union[bytes, Program] GROUP_ORDER = 0x73EDA753299D7D483339D80809A1D80553BDA402FFFE5BFEFFFFFFFF00000001
[ 37811, 198, 19197, 284, 49711, 15027, 393, 7104, 15027, 198, 198, 818, 428, 15027, 1430, 11, 262, 4610, 1276, 3853, 2035, 257, 7104, 15027, 393, 257, 198, 2934, 1455, 515, 15027, 319, 257, 1813, 1171, 1994, 13, 198, 198, 464, 1813, 11...
3.604207
1,046
from ..mapper import PropertyMapper, ApiInterfaceBase from ..mapper.types import Timestamp, AnyType __all__ = ['Surface', 'SurfaceInterface']
[ 6738, 11485, 76, 11463, 1330, 14161, 44, 11463, 11, 5949, 72, 39317, 14881, 198, 6738, 11485, 76, 11463, 13, 19199, 1330, 5045, 27823, 11, 4377, 6030, 198, 198, 834, 439, 834, 796, 37250, 14214, 2550, 3256, 705, 14214, 2550, 39317, 2052...
3.372093
43
from .board import Board
[ 6738, 764, 3526, 1330, 5926, 201, 198 ]
3.714286
7
#! /usr/bin/env python ###################### # quality_check.py ###################### # A program to loop through and inspect SWS results, plot the QA result from # Splitwavepy and print the measured SKS and SKKS splitting from Sheba # A measure of measure of data quality and discernable discrepancy between results is then assigned # to each event. This will allow bad results to by removed ##################################################################################################### # Some Imports import pandas as pd import splitwavepy as sw import obspy import matplotlib.pyplot as plt from summary_plot import plotall import os.path import SKS_SKKS_qa import sys if __name__ == '__main__' : print('Hello World, this is quality_check.py. You are running me from the command line') pair_file = sys.argv[1] # The pairs file we want to run the insplection for results_dir = sys.argv[2] # Results directory the pairs file sits in md = sys.argv[3] # Mode of inspection either 'snr' for just singal to noise test or 'man' for manual inspection if len(sys.argv) is 1: print('No inputs detected. Please input them now') pair_file = input('Input pair filename \n >') Review = Inspecter(pair_file,results_dir,md) Review.run_inspection()
[ 2, 0, 1220, 14629, 14, 8800, 14, 24330, 21015, 198, 14468, 4242, 2235, 198, 2, 3081, 62, 9122, 13, 9078, 198, 14468, 4242, 2235, 198, 2, 317, 1430, 284, 9052, 832, 290, 10104, 12672, 50, 2482, 11, 7110, 262, 1195, 32, 1255, 422, 1...
3.466488
373
$NetBSD: patch-gyptest.py,v 1.4 2014/08/21 14:49:43 he Exp $ * Add NetBSD 5, 6 and 7 target --- gyptest.py.orig 2014-07-14 14:19:50.000000000 +0000 +++ gyptest.py + 'freebsd9': ['make'], + 'netbsd5': ['make'], + 'netbsd6': ['make'], + 'netbsd7': ['make'], 'openbsd5': ['make'], 'cygwin': ['msvs'], 'win32': ['msvs', 'ninja'],
[ 3, 7934, 21800, 25, 8529, 12, 6022, 395, 13, 9078, 11, 85, 352, 13, 19, 1946, 14, 2919, 14, 2481, 1478, 25, 2920, 25, 3559, 339, 5518, 720, 198, 198, 9, 3060, 3433, 21800, 642, 11, 718, 290, 767, 2496, 198, 198, 6329, 21486, 457...
1.848039
204
""" Canvas fast grading script by makersmelx <makersmelx@gmail.com> """ import os dotenv_path = '.env'
[ 37811, 198, 6090, 11017, 3049, 43165, 4226, 198, 1525, 14429, 17694, 87, 1279, 6620, 17694, 87, 31, 14816, 13, 785, 29, 198, 37811, 198, 198, 11748, 28686, 198, 198, 26518, 24330, 62, 6978, 796, 45302, 24330, 6, 628 ]
2.789474
38
# (C) Copyright 2018, 2020 by Rocky Bernstein # # This program is free software; you can redistribute it and/or # modify it under the terms of the GNU General Public License # as published by the Free Software Foundation; either version 2 # of the License, or (at your option) any later version. # # This program is distributed in the hope that it will be useful, # but WITHOUT ANY WARRANTY; without even the implied warranty of # MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the # GNU General Public License for more details. # # You should have received a copy of the GNU General Public License # along with this program; if not, write to the Free Software # Foundation, Inc., 51 Franklin Street, Fifth Floor, Boston, MA 02110-1301, USA. """Python disassembly functions specific to wordcode from Python 3.6+ """ from xdis import PYTHON3, PYTHON_VERSION from xdis.bytecode import op_has_argument from xdis.bytecode import op_has_argument def get_jump_targets(code, opc): """Returns a list of instruction offsets in the supplied bytecode which are the targets of some sort of jump instruction. """ offsets = [] for offset, op, arg in unpack_opargs_wordcode(code, opc): if arg is not None: if op in opc.JREL_OPS: jump_offset = offset + 2 + arg elif op in opc.JABS_OPS: jump_offset = arg else: continue if jump_offset not in offsets: offsets.append(jump_offset) return offsets def get_jump_target_maps(code, opc): """Returns a dictionary where the key is an offset and the values are a list of instruction offsets which can get run before that instruction. This includes jump instructions as well as non-jump instructions. Therefore, the keys of the dictionary are reachible instructions. The values of the dictionary may be useful in control-flow analysis. """ offset2prev = {} prev_offset = -1 for offset, op, arg in unpack_opargs_wordcode(code, opc): if prev_offset >= 0: prev_list = offset2prev.get(offset, []) prev_list.append(prev_offset) offset2prev[offset] = prev_list prev_offset = offset if op in opc.NOFOLLOW: prev_offset = -1 if arg is not None: jump_offset = -1 if op in opc.JREL_OPS: jump_offset = offset + 2 + arg elif op in opc.JABS_OPS: jump_offset = arg if jump_offset >= 0: prev_list = offset2prev.get(jump_offset, []) prev_list.append(offset) offset2prev[jump_offset] = prev_list return offset2prev findlabels = get_jump_targets
[ 2, 357, 34, 8, 15069, 2864, 11, 12131, 416, 24534, 37584, 198, 2, 198, 2, 220, 770, 1430, 318, 1479, 3788, 26, 345, 460, 17678, 4163, 340, 290, 14, 273, 198, 2, 220, 13096, 340, 739, 262, 2846, 286, 262, 22961, 3611, 5094, 13789, ...
2.58473
1,074
''' Created on Jul 30, 2017 @author: Daniel Sela, Arnon Sela ''' def add_coords(coords, delta): ''' Adds (or substructs) number to (from) coords Args: coords: 235959.456 style coords delta: ss number to add (negative to sub) ''' temp = decim_2_sec(coords) temp += delta return sec_2_decim(temp) if __name__ == '__main__': print('sec_2_decim:') print(' ', sec_2_decim(59)) print(' ', sec_2_decim(61.6)) print(' ', sec_2_decim(14631)) print('decim_2_sec:') print(' ', decim_2_sec(59.0)) print(' ', decim_2_sec(101.6)) print(' ', decim_2_sec(40351.0)) print(' ', decim_2_sec(-000123.282)) print(' ', decim_2_sec(000123.282)) print(' ', decim_2_sec(000001.282)) print(' ', decim_2_sec(231806.584)) print('add_coords:') print(' ', add_coords(240036.98, 5)) print(' ', add_coords(-010236.98, 500)) print(' ', add_coords(010236.98, 500)) print(' ', add_coords(230036.98, 5000))
[ 7061, 6, 198, 41972, 319, 5979, 1542, 11, 2177, 198, 198, 31, 9800, 25, 7806, 311, 10304, 11, 943, 13159, 311, 10304, 198, 7061, 6, 628, 628, 198, 198, 4299, 751, 62, 1073, 3669, 7, 1073, 3669, 11, 25979, 2599, 198, 220, 220, 220,...
2.109244
476
# -*- coding: utf-8 -*- from __future__ import (absolute_import, division, print_function, unicode_literals) import json import os import socket import sys import snappy SERVER = "127.0.0.1" PORT = 6543 if __name__ == "__main__": ping()
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 6738, 11593, 37443, 834, 1330, 357, 48546, 62, 11748, 11, 7297, 11, 3601, 62, 8818, 11, 198, 220, 220, 220, 220, 220, 220, 220, 220, 220, 220, 220, 220, 220, 220, 22...
2.336207
116
from __future__ import unicode_literals import datetime from django.utils import timezone from alexia.apps.billing.models import ( Authorization, Order, PermanentProduct, PriceGroup, ProductGroup, Purchase, TemporaryProduct, ) from alexia.apps.scheduling.models import Event from alexia.test import TestCase from ..common import format_authorization, format_order
[ 6738, 11593, 37443, 834, 1330, 28000, 1098, 62, 17201, 874, 198, 198, 11748, 4818, 8079, 198, 198, 6738, 42625, 14208, 13, 26791, 1330, 640, 11340, 198, 198, 6738, 257, 2588, 544, 13, 18211, 13, 65, 4509, 13, 27530, 1330, 357, 198, 22...
3.490741
108
### clustering.py #Copyright 2005-2008 J. David Gladstone Institutes, San Francisco California #Author Nathan Salomonis - nsalomonis@gmail.com #Permission is hereby granted, free of charge, to any person obtaining a copy #of this software and associated documentation files (the "Software"), to deal #in the Software without restriction, including without limitation the rights #to use, copy, modify, merge, publish, distribute, sublicense, and/or sell #copies of the Software, and to permit persons to whom the Software is furnished #to do so, subject to the following conditions: #THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, #INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A #PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT #HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION #OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE #SOFTWARE OR THE USE OR OTHER DEALINGS IN THE SOFTWARE. #import matplotlib #matplotlib.use('GTKAgg') import sys, os, string command_args = string.join(sys.argv,' ') if len(sys.argv[1:])>0 and '--' in command_args: commandLine=True else: commandLine=False import traceback try: import math import warnings with warnings.catch_warnings(): warnings.filterwarnings("ignore",category=UserWarning) ### hides import warnings import matplotlib matplotlib.use('TkAgg') if commandLine==False: try: matplotlib.rcParams['backend'] = 'TkAgg' except Exception: pass try: import matplotlib.pyplot as pylab import matplotlib.colors as mc import matplotlib.mlab as mlab from matplotlib import mpl from matplotlib.patches import Circle from mpl_toolkits.mplot3d import Axes3D mpl.rcParams['axes.linewidth'] = 0.5 mpl.rcParams['pdf.fonttype'] = 42 mpl.rcParams['font.family'] = 'sans-serif' mpl.rcParams['font.sans-serif'] = 'Arial' except Exception: print 'Matplotlib support not enabled' import scipy from scipy.linalg import svd import scipy.cluster.hierarchy as sch import scipy.spatial.distance as dist try: import numpy; np = numpy except Exception: print 'Numpy import error...' print traceback.format_exc() try: import igraph.vendor.texttable except ImportError: pass try: from sklearn.decomposition import PCA, FastICA except Exception: pass #pylab.ion() # closes Tk window after show - could be nice to include except Exception: print traceback.format_exc() pass import time import unique import statistics import os import export import webbrowser import warnings import UI try: warnings.simplefilter("ignore", numpy.ComplexWarning) warnings.simplefilter("ignore", DeprecationWarning) ### Annoying depreciation warnings (occurs in sch somewhere) #This shouldn't be needed in python 2.7 which suppresses DeprecationWarning - Larsson except Exception: None import WikiPathways_webservice try: import fastcluster as fc print 'Using fastcluster instead of scipy hierarchical cluster' except Exception: #print 'Using scipy insteady of fastcluster (not installed)' try: fc = sch ### fastcluster uses the same convention names for linkage as sch except Exception: print 'Scipy support not present...' def getColorRange(x): """ Determines the range of colors, centered at zero, for normalizing cmap """ vmax=x.max() vmin=x.min() if vmax<0 and vmin<0: direction = 'negative' elif vmax>0 and vmin>0: direction = 'positive' else: direction = 'both' if direction == 'both': vmax = max([vmax,abs(vmin)]) vmin = -1*vmax return vmax,vmin else: return vmax,vmin def merge_horizontal(out_filename, left_filename, right_filename): """ Merge the first page of two PDFs side-to-side """ import pyPdf # open the PDF files to be merged with open(left_filename) as left_file, open(right_filename) as right_file, open(out_filename, 'w') as output_file: left_pdf = pyPdf.PdfFileReader(left_file) right_pdf = pyPdf.PdfFileReader(right_file) output = pyPdf.PdfFileWriter() # get the first page from each pdf left_page = left_pdf.pages[0] right_page = right_pdf.pages[0] # start a new blank page with a size that can fit the merged pages side by side page = output.addBlankPage( width=left_page.mediaBox.getWidth() + right_page.mediaBox.getWidth(), height=max(left_page.mediaBox.getHeight(), right_page.mediaBox.getHeight()), ) # draw the pages on that new page page.mergeTranslatedPage(left_page, 0, 0) page.mergeTranslatedPage(right_page, left_page.mediaBox.getWidth(), 0) # write to file output.write(output_file) def exportFlatClusterData(filename, root_dir, dataset_name, new_row_header,new_column_header,xt,ind1,ind2,display): """ Export the clustered results as a text file, only indicating the flat-clusters rather than the tree """ filename = string.replace(filename,'.pdf','.txt') export_text = export.ExportFile(filename) column_header = string.join(['UID','row_clusters-flat']+new_column_header,'\t')+'\n' ### format column-names for export export_text.write(column_header) column_clusters = string.join(['column_clusters-flat','']+ map(str, ind2),'\t')+'\n' ### format column-flat-clusters for export export_text.write(column_clusters) ### The clusters, dendrogram and flat clusters are drawn bottom-up, so we need to reverse the order to match #new_row_header = new_row_header[::-1] #xt = xt[::-1] try: elite_dir = getGOEliteExportDir(root_dir,dataset_name) except Exception: elite_dir = None elite_columns = string.join(['InputID','SystemCode']) try: sy = systemCodeCheck(new_row_header) except Exception: sy = None ### Export each row in the clustered data matrix xt i=0 cluster_db={} export_lines = [] for row in xt: id = new_row_header[i] if sy == '$En:Sy': cluster = 'cluster-'+string.split(id,':')[0] elif sy == 'S' and ':' in id: cluster = 'cluster-'+string.split(id,':')[0] elif sy == 'Sy' and ':' in id: cluster = 'cluster-'+string.split(id,':')[0] else: cluster = 'c'+str(ind1[i]) try: cluster_db[cluster].append(new_row_header[i]) except Exception: cluster_db[cluster] = [new_row_header[i]] export_lines.append(string.join([new_row_header[i],str(ind1[i])]+map(str, row),'\t')+'\n') i+=1 ### Reverse the order of the file export_lines.reverse() for line in export_lines: export_text.write(line) export_text.close() ### Export GO-Elite input files allGenes={} for cluster in cluster_db: export_elite = export.ExportFile(elite_dir+'/'+cluster+'.txt') if sy==None: export_elite.write('ID\n') else: export_elite.write('ID\tSystemCode\n') for id in cluster_db[cluster]: if sy == '$En:Sy': id = string.split(id,':')[1] ids = string.split(id,' ') if 'ENS' in ids[0]: id = ids[0] else: id = ids[-1] sc = 'En' elif sy == 'Sy' and ':' in id: id = string.split(id,':')[1] ids = string.split(id,' ') sc = 'Sy' elif sy == 'En:Sy': id = string.split(id,' ')[0] sc = 'En' elif sy == 'Ae': l = string.split(id,':') if len(l)==2: id = string.split(id,':')[0] ### Use the Ensembl if len(l) == 3: id = string.split(id,':')[1] ### Use the Ensembl sc = 'En' else: sc = sy if sy == 'S': if ':' in id: id = string.split(id,':')[-1] sc = 'Ae' try: export_elite.write(id+'\t'+sc+'\n') except Exception: export_elite.write(id+'\n') ### if no System Code known allGenes[id]=[] export_elite.close() try: if storeGeneSetName != None: if len(storeGeneSetName)>0 and 'driver' not in justShowTheseIDs: exportCustomGeneSet(storeGeneSetName,species,allGenes) print 'Exported geneset to "StoredGeneSets"' except Exception: pass ### Export as CDT file filename = string.replace(filename,'.txt','.cdt') if display: try: exportJTV(filename, new_column_header, new_row_header) except Exception: pass export_cdt = export.ExportFile(filename) column_header = string.join(['UNIQID','NAME','GWEIGHT']+new_column_header,'\t')+'\n' ### format column-names for export export_cdt.write(column_header) eweight = string.join(['EWEIGHT','','']+ ['1']*len(new_column_header),'\t')+'\n' ### format column-flat-clusters for export export_cdt.write(eweight) ### Export each row in the clustered data matrix xt i=0; cdt_lines=[] for row in xt: cdt_lines.append(string.join([new_row_header[i]]*2+['1']+map(str, row),'\t')+'\n') i+=1 ### Reverse the order of the file cdt_lines.reverse() for line in cdt_lines: export_cdt.write(line) export_cdt.close() return elite_dir, filename ### How to create custom colors - http://matplotlib.sourceforge.net/examples/pylab_examples/custom_cmap.html def updateColorBarData(ind1,ind2,column_header,row_header,row_method): """ Replace the top-level cluster information with group assignments for color bar coloring (if group data present)""" cb_status = 'original' group_number_list=[] group_name_list=[] try: ### Error if GroupDB not recognized as global if column_header[0] in GroupDB: ### Thus group assignments exist for column headers cb_status = 'column' for header in column_header: group,color,color_num = GroupDB[header] group_number_list.append(color_num) ### will replace ind2 if (color_num,group) not in group_name_list: group_name_list.append((color_num,group)) ind2 = group_number_list if row_header[0] in GroupDB and row_method == None: ### Thus group assignments exist for row headers group_number_list=[] if cb_status == 'column': cb_status = 'column-row' else: cb_status = 'row' for header in row_header: group,color,color_num = GroupDB[header] group_number_list.append(color_num) ### will replace ind2 #group_number_list.reverse() ind1 = group_number_list except Exception: None return ind1,ind2,group_name_list,cb_status def assignGroupColors(t): """ Assign a unique color to each group. Optionally used for cluster display. """ column_header=[]; group_number_db={} for i in t: repls = {'.2txt' : '', '.2bed' : '', '.2tab' : ''} i=reduce(lambda a, kv: a.replace(*kv), repls.iteritems(), i) column_header.append(i) if ':' in i: group,j = string.split(i,':')[:2] group_number_db[group]=[] #import random k = 0 group_db={}; color_db={} color_list = ['r', 'b', 'y', 'g', 'w', 'k', 'm'] if len(group_number_db)>3: color_list = [] cm = pylab.cm.get_cmap('gist_rainbow') #gist_ncar for i in range(len(group_number_db)): color_list.append(cm(1.*i/len(group_number_db))) # color will now be an RGBA tuple #color_list=[] #color_template = [1,1,1,0,0,0,0.5,0.5,0.5,0.25,0.25,0.25,0.75,0.75,0.75] t.sort() ### Ensure that all clusters have the same order of groups for i in t: repls = {'.2txt' : '', '.2bed' : '', '.2tab' : ''} i=reduce(lambda a, kv: a.replace(*kv), repls.iteritems(), i) if ':' in i: group,j = string.split(i,':')[:2] try: color,ko = color_db[group] except Exception: try: color_db[group] = color_list[k],k except Exception: ### If not listed in the standard color set add a new random color rgb = tuple(scipy.rand(3)) ### random color #rgb = tuple(random.sample(color_template,3)) ### custom alternative method color_list.append(rgb) color_db[group] = color_list[k], k color,ko = color_db[group] k+=1 group_db[i] = group, color, ko #column_header.append(i) return group_db, column_header def getAxes(scores): """ Adjust these axes to account for (A) legend size (left hand upper corner) and (B) long sample name extending to the right """ try: x_range = max(scores[0])-min(scores[0]) y_range = max(scores[1])-min(scores[1]) x_axis_min = min(scores[0])-(x_range/1.5) x_axis_max = max(scores[0])+(x_range/1.5) y_axis_min = min(scores[1])-(y_range/5) y_axis_max = max(scores[1])+(y_range/5) except KeyError: None return [x_axis_min, x_axis_max, y_axis_min, y_axis_max] """ def displaySimpleNetworkX(): import networkx as nx print 'Graphing output with NetworkX' gr = nx.Graph(rotate=90,bgcolor='white') ### commands for neworkx and pygraphviz are the same or similiar edges = importSIF('Config/TissueFateMap.sif') ### Add nodes and edges for (node1,node2,type) in edges: gr.add_edge(node1,node2) draw_networkx_edges #gr['Myometrium']['color']='red' # Draw as PNG nx.draw_shell(gr) #wopi, gvcolor, wc, ccomps, tred, sccmap, fdp, circo, neato, acyclic, nop, gvpr, dot, sfdp. - fdp pylab.savefig('LineageNetwork.png') def displaySimpleNetwork(sif_filename,fold_db,pathway_name): import pygraphviz as pgv #print 'Graphing output with PygraphViz' gr = pgv.AGraph(bgcolor='white',directed=True) ### Graph creation and setting of attributes - directed indicates arrows should be added #gr = pgv.AGraph(rotate='90',bgcolor='lightgray') ### Set graph attributes gr.node_attr['style']='filled' gr.graph_attr['label']='%s Network' % pathway_name edges = importSIF(sif_filename) if len(edges) > 700: print sif_filename, 'too large to visualize...' else: ### Add nodes and edges for (node1,node2,type) in edges: nodes = (node1,node2) gr.add_edge(nodes) child, parent = nodes edge = gr.get_edge(nodes[0],nodes[1]) if 'TF' in pathway_name or 'WGRV' in pathway_name: node = child ### This is the regulating TF else: node = parent ### This is the pathway n=gr.get_node(node) ### http://www.graphviz.org/doc/info/attrs.html n.attr['penwidth'] = 4 n.attr['fillcolor']= '#FFFF00' ### yellow n.attr['shape']='rectangle' #n.attr['weight']='yellow' #edge.attr['arrowhead'] = 'diamond' ### set the arrow type id_color_db = WikiPathways_webservice.getHexadecimalColorRanges(fold_db,'Genes') for gene_symbol in id_color_db: color_code = id_color_db[gene_symbol] try: n=gr.get_node(gene_symbol) n.attr['fillcolor']= '#'+string.upper(color_code) #'#FF0000' #n.attr['rotate']=90 except Exception: None # Draw as PNG #gr.layout(prog='dot') #fdp (spring embedded), sfdp (OK layout), neato (compressed), circo (lots of empty space), dot (hierarchical - linear) gr.layout(prog='neato') output_filename = '%s.png' % sif_filename[:-4] #print output_filename gr.draw(output_filename) """ def runHierarchicalClustering(matrix, row_header, column_header, dataset_name, row_method, row_metric, column_method, column_metric, color_gradient, display=False, contrast=None, allowAxisCompression=True,Normalize=True): """ Running with cosine or other distance metrics can often produce negative Z scores during clustering, so adjustments to the clustering may be required. === Options Include === row_method = 'average' column_method = 'single' row_metric = 'cosine' column_metric = 'euclidean' color_gradient = 'red_white_blue' color_gradient = 'red_black_sky' color_gradient = 'red_black_blue' color_gradient = 'red_black_green' color_gradient = 'yellow_black_blue' color_gradient == 'coolwarm' color_gradient = 'seismic' color_gradient = 'green_white_purple' """ try: if allowLargeClusters: maxSize = 20000 else: maxSize = 7000 except Exception: maxSize = 7000 run = False print 'max allowed cluster size:',maxSize if len(matrix)>0 and (len(matrix)<maxSize or row_method == None): #if len(matrix)>5000: row_metric = 'euclidean' with warnings.catch_warnings(): warnings.filterwarnings("ignore",category=UserWarning) ### hides import warnings try: ### Default for display is False, when set to True, Pylab will render the image heatmap(numpy.array(matrix), row_header, column_header, row_method, column_method, row_metric, column_metric, color_gradient, dataset_name, display=display, contrast=contrast,allowAxisCompression=allowAxisCompression,Normalize=Normalize) run = True except Exception: #print traceback.format_exc() try: pylab.clf() pylab.close() ### May result in TK associated errors later on import gc gc.collect() except Exception: None if len(matrix)<5000: print 'Error using %s ... trying euclidean instead' % row_metric row_metric = 'euclidean' ### cityblock else: print 'Error with hierarchical clustering... only clustering arrays' row_method = None ### Skip gene clustering try: heatmap(numpy.array(matrix), row_header, column_header, row_method, column_method, row_metric, column_metric, color_gradient, dataset_name, display=display, contrast=contrast,allowAxisCompression=allowAxisCompression,Normalize=Normalize) run = True except Exception: print traceback.format_exc() print 'Unable to generate cluster due to dataset incompatibilty.' elif len(matrix)==0: print_out = 'SKIPPING HIERARCHICAL CLUSTERING!!! - Your dataset file has no associated rows.' print print_out else: print_out = 'SKIPPING HIERARCHICAL CLUSTERING!!! - Your dataset file is over the recommended size limit for clustering ('+str(maxSize)+' rows). Please cluster later using "Additional Analyses"' print print_out try: pylab.clf() pylab.close() ### May result in TK associated errors later on import gc gc.collect() except Exception: None return run def runHCexplicit(filename, graphics, row_method, row_metric, column_method, column_metric, color_gradient, extra_params, display=True, contrast=None, Normalize=False, JustShowTheseIDs=[],compressAxis=True): """ Explicit method for hiearchical clustering with defaults defined by the user (see below function) """ global root_dir global inputFilename global originalFilename global graphic_link global allowLargeClusters global GroupDB global justShowTheseIDs global normalize global rho_cutoff global species global runGOElite global EliteGeneSets global storeGeneSetName EliteGeneSets=[] targetGene=[] filterByPathways=False runGOElite = False justShowTheseIDs = JustShowTheseIDs allowLargeClusters = True if compressAxis: allowAxisCompression = True else: allowAxisCompression = False graphic_link=graphics ### Store all locations of pngs inputFilename = filename ### Used when calling R filterIDs = False normalize = Normalize try: ### Specific additional optional parameters for filtering transpose = extra_params.Transpose() try: rho_cutoff = extra_params.RhoCutoff() print 'Setting correlation cutoff to a rho of',rho_cutoff except Exception: rho_cutoff = 0.5 PathwayFilter = extra_params.PathwaySelect() GeneSet = extra_params.GeneSet() OntologyID = extra_params.OntologyID() Normalize = extra_params.Normalize() normalize = Normalize filterIDs = True species = extra_params.Species() platform = extra_params.Platform() vendor = extra_params.Vendor() newInput = findParentDir(inputFilename)+'/GeneSetClustering/'+findFilename(inputFilename) targetGene = extra_params.GeneSelection() ### Select a gene or ID to get the top correlating genes getGeneCorrelations = extra_params.GetGeneCorrelations() ### Select a gene or ID to get the top correlating genes filterByPathways = extra_params.FilterByPathways() PathwayFilter, filterByPathways = verifyPathwayName(PathwayFilter,GeneSet,OntologyID,filterByPathways) justShowTheseIDs_var = extra_params.JustShowTheseIDs() if len(justShowTheseIDs_var)>0: justShowTheseIDs = justShowTheseIDs_var elif len(targetGene)>0: targetGene = string.replace(targetGene,'\n',' ') targetGene = string.replace(targetGene,'\r',' ') justShowTheseIDs = string.split(targetGene,' ') try: EliteGeneSets = extra_params.ClusterGOElite() if EliteGeneSets != ['']: runGOElite = True #print EliteGeneSets except Exception: pass try: storeGeneSetName = extra_params.StoreGeneSetName() except Exception: storeGeneSetName = '' except Exception,e: #print traceback.format_exc();sys.exit() transpose = extra_params root_dir = findParentDir(filename) if 'ExpressionOutput/Clustering' in root_dir: root_dir = string.replace(root_dir,'ExpressionOutput/Clustering','DataPlots') elif 'ExpressionOutput' in root_dir: root_dir = string.replace(root_dir,'ExpressionOutput','DataPlots') ### Applies to clustering of LineageProfiler results root_dir = string.replace(root_dir,'/Clustering','') ### Applies to clustering of MarkerFinder results else: root_dir += '/DataPlots/' try: os.mkdir(root_dir) ### May need to create this directory except Exception: None if row_method == 'hopach': reverseOrder = False else: reverseOrder = True #""" matrix, column_header, row_header, dataset_name, group_db = importData(filename,Normalize=Normalize,reverseOrder=reverseOrder) GroupDB = group_db inputFilename = string.replace(inputFilename,'.cdt','.txt') originalFilename = inputFilename #print len(matrix),;print len(column_header),;print len(row_header) if filterIDs: transpose_update = True ### Since you can filterByPathways and getGeneCorrelations, only transpose once if filterByPathways: ### Restrict analyses to only a single pathway/gene-set/ontology term if isinstance(PathwayFilter, tuple) or isinstance(PathwayFilter, list): FileName = string.join(list(PathwayFilter),' ') FileName = string.replace(FileName,':','-') else: FileName = PathwayFilter if len(FileName)>40: FileName = FileName[:40] try: inputFilename = string.replace(newInput,'.txt','_'+FileName+'.txt') ### update the pathway reference for HOPACH except Exception: inputFilename = string.replace(newInput,'.txt','_GeneSets.txt') vars = filterByPathway(matrix,row_header,column_header,species,platform,vendor,GeneSet,PathwayFilter,OntologyID,transpose) try: dataset_name += '-'+FileName except Exception: dataset_name += '-GeneSets' transpose_update = False if 'amplify' in targetGene: targetGene = string.join(vars[1],' ')+' amplify '+targetGene ### amplify the gene sets, but need the original matrix and headers (not the filtered) else: matrix,row_header,column_header = vars if getGeneCorrelations and targetGene != 'driver' and targetGene !='excludeCellCycle' and targetGene !='top' and targetGene !='positive': ###Restrict analyses to only genes that correlate with the target gene of interest allowAxisCompression = False if transpose and transpose_update == False: transpose_update = False ### If filterByPathways selected elif transpose and transpose_update: transpose_update = True ### If filterByPathways not selected else: transpose_update = False ### If transpose == False if '\r' in targetGene or '\n' in targetGene: targetGene = string.replace(targetGene, '\r',' ') targetGene = string.replace(targetGene, '\n',' ') if len(targetGene)>15: inputFilename = string.replace(newInput,'.txt','_'+targetGene[:50]+'.txt') ### update the pathway reference for HOPACH dataset_name += '-'+targetGene[:50] else: inputFilename = string.replace(newInput,'.txt','_'+targetGene+'.txt') ### update the pathway reference for HOPACH dataset_name += '-'+targetGene inputFilename = string.replace(inputFilename,'|',' ') inputFilename = string.replace(inputFilename,':',' ') dataset_name = string.replace(dataset_name,'|',' ') dataset_name = string.replace(dataset_name,':',' ') try: matrix,row_header,column_header,row_method = getAllCorrelatedGenes(matrix,row_header,column_header,species,platform,vendor,targetGene,row_method,transpose_update) except Exception: print traceback.format_exc() print targetGene, 'not found in input expression file. Exiting. \n\n' badExit exportTargetGeneList(targetGene) else: if transpose: ### Transpose the data matrix print 'Transposing the data matrix' matrix = map(numpy.array, zip(*matrix)) ### coverts these to tuples column_header, row_header = row_header, column_header #print len(matrix),;print len(column_header),;print len(row_header) if len(column_header)>1000 or len(row_header)>1000: print 'Performing hierarchical clustering (please be patient)...' runHierarchicalClustering(matrix, row_header, column_header, dataset_name, row_method, row_metric, column_method, column_metric, color_gradient, display=display,contrast=contrast, allowAxisCompression=allowAxisCompression, Normalize=Normalize) #""" #graphic_link = [root_dir+'Clustering-exp.myeloid-steady-state-amplify positive Mki67 Clec4a2 Gria3 Ifitm6 Gfi1b -hierarchical_cosine_cosine.txt'] if 'driver' in targetGene: import RNASeq input_file = graphic_link[-1][-1][:-4]+'.txt' if 'excludeCellCycle' in targetGene: excludeCellCycle = True else: excludeCellCycle = False print 'excludeCellCycle',excludeCellCycle targetGene = RNASeq.remoteGetDriverGenes(species,platform,input_file,excludeCellCycle=excludeCellCycle) extra_params.setGeneSelection(targetGene) ### force correlation to these extra_params.setGeneSet('None Selected') ### silence this graphic_link= runHCexplicit(filename, graphic_link, row_method, row_metric, column_method, column_metric, color_gradient, extra_params, display=display, contrast=contrast, Normalize=Normalize, JustShowTheseIDs=JustShowTheseIDs,compressAxis=compressAxis) return graphic_link def runHCOnly(filename,graphics,Normalize=False): """ Simple method for hiearchical clustering with defaults defined by the function rather than the user (see above function) """ global root_dir global graphic_link global inputFilename global GroupDB global allowLargeClusters allowLargeClusters = False graphic_link=graphics ### Store all locations of pngs inputFilename = filename ### Used when calling R root_dir = findParentDir(filename) if 'ExpressionOutput/Clustering' in root_dir: root_dir = string.replace(root_dir,'ExpressionOutput/Clustering','DataPlots') elif 'ExpressionOutput' in root_dir: root_dir = string.replace(root_dir,'ExpressionOutput','DataPlots') ### Applies to clustering of LineageProfiler results else: root_dir += '/DataPlots/' try: os.mkdir(root_dir) ### May need to create this directory except Exception: None row_method = 'average' column_method = 'average' row_metric = 'cosine' column_metric = 'cosine' if 'Lineage' in filename or 'Elite' in filename: color_gradient = 'red_white_blue' else: color_gradient = 'yellow_black_blue' color_gradient = 'red_black_sky' matrix, column_header, row_header, dataset_name, group_db = importData(filename,Normalize=Normalize) GroupDB = group_db runHierarchicalClustering(matrix, row_header, column_header, dataset_name, row_method, row_metric, column_method, column_metric, color_gradient, display=False, Normalize=Normalize) return graphic_link def outputClusters(filenames,graphics,Normalize=False): """ Peforms PCA and Hiearchical clustering on exported log-folds from AltAnalyze """ global root_dir global graphic_link global inputFilename global GroupDB global allowLargeClusters global EliteGeneSets EliteGeneSets=[] global runGOElite runGOElite = False allowLargeClusters=False graphic_link=graphics ### Store all locations of pngs filename = filenames[0] ### This is the file to cluster with "significant" gene changes inputFilename = filename ### Used when calling R root_dir = findParentDir(filename) root_dir = string.replace(root_dir,'ExpressionOutput/Clustering','DataPlots') ### Transpose matrix and build PCA original = importData(filename,Normalize=Normalize) matrix, column_header, row_header, dataset_name, group_db = original matrix = map(numpy.array, zip(*matrix)) ### coverts these to tuples column_header, row_header = row_header, column_header if len(row_header)<700000 and len(column_header)<700000: PrincipalComponentAnalysis(numpy.array(matrix), row_header, column_header, dataset_name, group_db) else: print 'SKIPPING PCA!!! - Your dataset file is over the recommended size limit for clustering (>7000 rows). Please cluster later using "Additional Analyses".' row_method = 'average' column_method = 'average' row_metric = 'cosine' column_metric = 'cosine' color_gradient = 'red_white_blue' color_gradient = 'red_black_sky' ### Generate Significant Gene HeatMap matrix, column_header, row_header, dataset_name, group_db = original GroupDB = group_db runHierarchicalClustering(matrix, row_header, column_header, dataset_name, row_method, row_metric, column_method, column_metric, color_gradient, Normalize=Normalize) ### Generate Outlier and other Significant Gene HeatMap for filename in filenames[1:]: inputFilename = filename matrix, column_header, row_header, dataset_name, group_db = importData(filename,Normalize=Normalize) GroupDB = group_db try: runHierarchicalClustering(matrix, row_header, column_header, dataset_name, row_method, row_metric, column_method, column_metric, color_gradient, Normalize=Normalize) except Exception: print 'Could not cluster',inputFilename,', file not found' return graphic_link def buildGraphFromSIF(mod,species,sif_filename,ora_input_dir): """ Imports a SIF and corresponding gene-association file to get fold changes for standardized gene-symbols """ global SpeciesCode; SpeciesCode = species mod = 'Ensembl' if sif_filename == None: ### Used for testing only sif_filename = '/Users/nsalomonis/Desktop/dataAnalysis/collaborations/WholeGenomeRVista/Alex-Figure/GO-Elite_results/CompleteResults/ORA_pruned/up-2f_p05-WGRV.sif' ora_input_dir = '/Users/nsalomonis/Desktop/dataAnalysis/collaborations/WholeGenomeRVista/Alex-Figure/up-stringent/up-2f_p05.txt' #sif_filename = 'C:/Users/Nathan Salomonis/Desktop/Endothelial_Kidney/GO-Elite/GO-Elite_results/CompleteResults/ORA_pruned/GE.b_vs_a-fold2.0_rawp0.05-local.sif' #ora_input_dir = 'C:/Users/Nathan Salomonis/Desktop/Endothelial_Kidney/GO-Elite/input/GE.b_vs_a-fold2.0_rawp0.05.txt' gene_filename = string.replace(sif_filename,'.sif','_%s-gene-associations.txt') % mod gene_filename = string.replace(gene_filename,'ORA_pruned','ORA_pruned/gene_associations') pathway_name = string.split(sif_filename,'/')[-1][:-4] output_filename = None try: fold_db = importEliteGeneAssociations(gene_filename) except Exception: fold_db={} if ora_input_dir != None: ### This is an optional accessory function that adds fold changes from genes that are NOT in the GO-Elite pruned results (TFs regulating these genes) try: fold_db = importDataSimple(ora_input_dir,species,fold_db,mod) except Exception: None try: ### Alternative Approaches dependening on the availability of GraphViz #displaySimpleNetXGraph(sif_filename,fold_db,pathway_name) output_filename = iGraphSimple(sif_filename,fold_db,pathway_name) except Exception: print traceback.format_exc() try: displaySimpleNetwork(sif_filename,fold_db,pathway_name) except Exception: None ### GraphViz problem return output_filename def iGraphSimple(sif_filename,fold_db,pathway_name): """ Build a network export using iGraph and Cairo """ edges = importSIF(sif_filename) id_color_db = WikiPathways_webservice.getHexadecimalColorRanges(fold_db,'Genes') output_filename = iGraphDraw(edges,pathway_name,filePath=sif_filename,display=True,graph_layout='spring',colorDB=id_color_db) return output_filename def correctedFilePath(filePath,canvas_scaler): """ Move this file to it's own network directory for GO-Elite """ if 'ORA_pruned' in filePath: filePath = string.replace(filePath,'CompleteResults/ORA_pruned','networks') try: os.mkdir(findParentDir(filePath)) except Exception: pass canvas_scaler = canvas_scaler*1.3 ### These graphs tend to be more dense and difficult to read return filePath,canvas_scaler def importDataSimple(filename,species,fold_db,mod): """ Imports an input ID file and converts those IDs to gene symbols for analysis with folds """ import GO_Elite import OBO_import import gene_associations fn = filepath(filename) x=0 metabolite_codes = ['Ck','Ca','Ce','Ch','Cp'] for line in open(fn,'rU').xreadlines(): data = cleanUpLine(line) t = string.split(data,'\t') if data[0]=='#': x=0 elif x==0: x=1 else: if x == 1: system_code = t[1] if system_code in metabolite_codes: mod = 'HMDB' system_codes,source_types,mod_types = GO_Elite.getSourceData() try: source_data = system_codes[system_code] except Exception: source_data = None if 'ENS' in t[0]: source_data = system_codes['En'] else: ### Assume the file is composed of gene symbols source_data = system_codes['Sy'] if source_data == mod: source_is_mod = True elif source_data==None: None ### Skip this else: source_is_mod = False mod_source = mod+'-'+source_data+'.txt' gene_to_source_id = gene_associations.getGeneToUid(species,('hide',mod_source)) source_to_gene = OBO_import.swapKeyValues(gene_to_source_id) try: gene_to_symbol = gene_associations.getGeneToUid(species,('hide',mod+'-Symbol')) except Exception: gene_to_symbol={} try: met_to_symbol = gene_associations.importGeneData(species,'HMDB',simpleImport=True) except Exception: met_to_symbol={} for i in met_to_symbol: gene_to_symbol[i] = met_to_symbol[i] ### Add metabolite names x+=1 if source_is_mod == True: if t[0] in gene_to_symbol: symbol = gene_to_symbol[t[0]][0] try: fold_db[symbol] = float(t[2]) except Exception: fold_db[symbol] = 0 else: fold_db[t[0]] = 0 ### If not found (wrong ID with the wrong system) still try to color the ID in the network as yellow elif t[0] in source_to_gene: mod_ids = source_to_gene[t[0]] try: mod_ids+=source_to_gene[t[2]] ###If the file is a SIF except Exception: try: mod_ids+=source_to_gene[t[1]] ###If the file is a SIF except Exception: None for mod_id in mod_ids: if mod_id in gene_to_symbol: symbol = gene_to_symbol[mod_id][0] try: fold_db[symbol] = float(t[2]) ### If multiple Ensembl IDs in dataset, only record the last associated fold change except Exception: fold_db[symbol] = 0 else: fold_db[t[0]] = 0 return fold_db def clusterPathwayZscores(filename): """ Imports a overlapping-results file and exports an input file for hierarchical clustering and clusters """ ### This method is not fully written or in use yet - not sure if needed if filename == None: ### Only used for testing filename = '/Users/nsalomonis/Desktop/dataAnalysis/r4_Bruneau_TopHat/GO-Elite/TF-enrichment2/GO-Elite_results/overlapping-results_z-score_elite.txt' exported_files = importOverlappingEliteScores(filename) graphic_links=[] for file in exported_files: try: graphic_links = runHCOnly(file,graphic_links) except Exception,e: #print e print 'Unable to generate cluster due to dataset incompatibilty.' print 'Clustering of overlapping-results_z-score complete (see "GO-Elite_results/Heatmaps" directory)' def clusterPathwayMeanFolds(): """ Imports the pruned-results file and exports an input file for hierarchical clustering and clusters """ filename = '/Users/nsalomonis/Desktop/User Diagnostics/Mm_spinal_cord_injury/GO-Elite/GO-Elite_results/pruned-results_z-score_elite.txt' exported_files = importPathwayLevelFolds(filename) if __name__ == '__main__': filename = '/Users/saljh8/Desktop/Grimes/KashishNormalization/CombinedSingleCell_March_15_2015_wt.txt' plotHistogram(filename);sys.exit() filename = '/Users/saljh8/Desktop/Grimes/Expression_final_files/ExpressionInput/amplify-wt/DataPlots/Clustering-exp.myeloid-steady-state-PCA-all_wt_myeloid_SingleCell-Klhl7 Dusp7 Slc25a33 H6pd Bcorl1 Sdpr Ypel3 251000-hierarchical_cosine_cosine.cdt' openTreeView(filename);sys.exit() pdf1 = "/Users/saljh8/Desktop/Grimes/1.pdf" pdf2 = "/Users/saljh8/Desktop/Grimes/2.pdf" outPdf = "/Users/saljh8/Desktop/Grimes/3.pdf" merge_horizontal(outPdf, pdf1, pdf2);sys.exit() mergePDFs(pdf1,pdf2,outPdf);sys.exit() filename = '/Volumes/SEQ-DATA/CardiacRNASeq/BedFiles/ExpressionOutput/Clustering/SampleLogFolds-CardiacRNASeq.txt' ica(filename);sys.exit() features = 5 matrix, column_header, row_header, dataset_name, group_db = importData(filename) Kmeans(features, column_header, row_header); sys.exit() #graphViz();sys.exit() filename = '/Users/saljh8/Desktop/delete.txt' runHCOnly(filename,[]); sys.exit() filenames = [filename] outputClusters(filenames,[]); sys.exit() #runPCAonly(filename,[],False);sys.exit() #VennDiagram(); sys.exit() #buildGraphFromSIF('Ensembl','Mm',None,None); sys.exit() #clusterPathwayZscores(None); sys.exit() pruned_folder = '/Users/nsalomonis/Desktop/CBD/LogTransformed/GO-Elite/GO-Elite_results/CompleteResults/ORA_pruned/' input_ora_folder = '/Users/nsalomonis/Desktop/CBD/LogTransformed/GO-Elite/input/' import UI files = UI.read_directory(pruned_folder) for file in files: if '.sif' in file: input_file = string.join(string.split(file,'-')[:-1],'-')+'.txt' sif_file = pruned_folder+file input_file = input_ora_folder+input_file buildGraphFromSIF('Ensembl','Hs',sif_file,input_file) sys.exit() filenames = [filename] outputClusters(filenames,[])
[ 21017, 32966, 1586, 13, 9078, 198, 2, 15269, 5075, 12, 11528, 449, 13, 3271, 28442, 6440, 33656, 11, 2986, 6033, 3442, 198, 2, 13838, 18106, 4849, 16698, 271, 532, 299, 21680, 16698, 271, 31, 14816, 13, 785, 198, 198, 2, 5990, 3411, ...
2.344879
18,015
# Copyright (c) Jeroen Van Steirteghem # See LICENSE from twisted.conch import avatar from twisted.conch.error import ValidPublicKey from twisted.conch.ssh import channel, factory, forwarding, keys from twisted.cred import checkers, credentials, portal from twisted.cred.error import UnauthorizedLogin from twisted.internet import defer, interfaces, reactor, tcp from zope.interface import implements import twunnel.local_proxy_server import twunnel.logger import twunnel.proxy_server
[ 2, 15069, 357, 66, 8, 449, 3529, 268, 6656, 2441, 343, 660, 70, 4411, 198, 2, 4091, 38559, 24290, 198, 198, 6738, 19074, 13, 1102, 354, 1330, 30919, 198, 6738, 19074, 13, 1102, 354, 13, 18224, 1330, 48951, 15202, 9218, 198, 6738, 19...
3.730769
130
import pytest import json @pytest.mark.usefixtures('cleanup_db') async def test_todo_api(app, test_cli): """ testing todo api """ # GET resp = await test_cli.get('/api/todo') assert resp.status == 200 resp_json = await resp.json() assert len(resp_json['todo_list']) == 0 # POST resp = await test_cli.post( '/api/todo', data=json.dumps({ 'name': 'new_todo', }), headers={'Content-Type': 'application/json'} ) assert resp.status == 201 # GET resp = await test_cli.get('/api/todo') assert resp.status == 200 resp_json = await resp.json() assert len(resp_json['todo_list']) == 1 assert resp_json['todo_list'][0]['name'] == 'new_todo' # DELETE resp = await test_cli.delete( '/api/todo/1', ) assert resp.status == 200 # GET resp = await test_cli.get('/api/todo') assert resp.status == 200 resp_json = await resp.json() assert len(resp_json['todo_list']) == 0
[ 11748, 12972, 9288, 198, 11748, 33918, 628, 198, 31, 9078, 9288, 13, 4102, 13, 1904, 69, 25506, 10786, 27773, 929, 62, 9945, 11537, 198, 292, 13361, 825, 1332, 62, 83, 24313, 62, 15042, 7, 1324, 11, 1332, 62, 44506, 2599, 198, 220, ...
2.246696
454
import cv2 import tensorflow as tf
[ 11748, 269, 85, 17, 198, 11748, 11192, 273, 11125, 355, 48700, 628 ]
3
12
# -*- coding: utf-8 -*- ''' Cassandra cql returner test cases ''' # Import Python libs from __future__ import absolute_import # Import Salt Testing libs from tests.support.unit import TestCase, skipIf from tests.support.mock import patch, NO_MOCK, NO_MOCK_REASON from tests.support.mixins import LoaderModuleMockMixin # Import salt libs import salt.returners.cassandra_cql_return as cassandra_cql @skipIf(NO_MOCK, NO_MOCK_REASON) class CassandraCqlReturnerTestCase(TestCase, LoaderModuleMockMixin): ''' Test Cassandra Cql Returner ''' def test_get_keyspace(self): ''' Test edge cases of _get_keyspace ''' # Empty __opts__ with patch.dict(cassandra_cql.__opts__, {}): self.assertEqual(cassandra_cql._get_keyspace(), 'salt') # Cassandra option without keyspace with patch.dict(cassandra_cql.__opts__, {'cassandra': None}): self.assertEqual(cassandra_cql._get_keyspace(), 'salt') with patch.dict(cassandra_cql.__opts__, {'cassandra': {}}): self.assertEqual(cassandra_cql._get_keyspace(), 'salt') # Cassandra option with keyspace with patch.dict(cassandra_cql.__opts__, {'cassandra': {'keyspace': 'abcd'}}): self.assertEqual(cassandra_cql._get_keyspace(), 'abcd')
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 7061, 6, 198, 43529, 15918, 269, 13976, 1441, 263, 1332, 2663, 198, 7061, 6, 198, 198, 2, 17267, 11361, 9195, 82, 198, 6738, 11593, 37443, 834, 1330, 4112, 62, 11748, ...
2.340463
561
from typing import List
[ 6738, 19720, 1330, 7343, 628 ]
5
5
import json import listpad import numpy as np import qnd import qndex import tensorflow as tf def def_convert_json_example(): """Define json example converter. An example is the following. ```json [ { "word": "I", "label": 0 }, { "word": "am", "label": 0 }, { "word": "Bob", "label": 1 }, { "word": ".", "label": 0 } ] ``` """ chars = qndex.nlp.def_chars() return convert_json_example
[ 11748, 33918, 198, 198, 11748, 1351, 15636, 198, 11748, 299, 32152, 355, 45941, 198, 11748, 10662, 358, 198, 11748, 10662, 358, 1069, 198, 11748, 11192, 273, 11125, 355, 48700, 628, 198, 4299, 825, 62, 1102, 1851, 62, 17752, 62, 20688, ...
2.29064
203
from swarm_controller.core import *
[ 6738, 30077, 62, 36500, 13, 7295, 1330, 1635 ]
4.375
8
import numpy as np import torch import torch.nn as nn import torch.optim as optim import torch.nn.functional as F import torch.autograd as autograd class RolloutStorage(): """ states: s s s s s s rewards: r r r r r actions: a a a a a masks: 1 1 1 1 1 0 returns: t t t t t t """
[ 11748, 299, 32152, 355, 45941, 198, 198, 11748, 28034, 198, 11748, 28034, 13, 20471, 355, 299, 77, 198, 11748, 28034, 13, 40085, 355, 6436, 198, 11748, 28034, 13, 20471, 13, 45124, 355, 376, 198, 11748, 28034, 13, 2306, 519, 6335, 355, ...
2.253333
150
import contextlib import logging import pathlib from io import StringIO import click import flake8.main.application import toml from ni_python_styleguide import _acknowledge_existing_errors def _get_application_import_names(pyproject): """Return the application package name the config.""" # Otherwise override with what was specified app_name = ( pyproject.get("tool", {}) .get("ni-python-styleguide", {}) .get("application-import-names", "") ) # Allow the poetry name as a fallback if not app_name: app_name = pyproject.get("tool", {}).get("poetry", {}).get("name", "").replace("-", "_") return f"{app_name},tests" class ConfigGroup(click.Group): """click.Group subclass which allows for a config option to load options from.""" def __init__(self, *args, **kwargs): """Construct the click.Group with the config option.""" kwargs["params"].append( click.Option( ["--config"], type=click.Path( exists=True, file_okay=True, dir_okay=False, readable=True, allow_dash=False, path_type=str, ), is_eager=True, callback=_read_pyproject_toml, help="Config file to load configurable options from", ) ) super().__init__(*args, **kwargs) @click.group(cls=ConfigGroup) @click.option( "-v", "--verbose", count=True, help="Print more information. Repeat to increase verbosity.", ) @click.option( "-q", "--quiet", count=True, help="Print less information. Repeat to decrease verbosity.", ) @click.option( "--exclude", type=str, show_default=True, default="__pycache__,.git,.venv", help="Comma-separated list of files or directories to exclude.", ) @click.option( "--extend-exclude", type=str, default="", help="Comma-separated list of files or directories to exclude (in addition to --exclude).", ) @click.version_option() # @TODO: override the message to include dependency version(s) @click.pass_context def main(ctx, verbose, quiet, config, exclude, extend_exclude): """NI's internal and external Python linter rules and plugins.""" # noqa: D4 ctx.ensure_object(dict) ctx.obj["VERBOSITY"] = verbose - quiet ctx.obj["EXCLUDE"] = ",".join(filter(bool, [exclude.strip(","), extend_exclude.strip(",")])) ctx.obj["APP_IMPORT_NAMES"] = _get_application_import_names(ctx.obj.get("PYPROJECT", {})) @main.command() # @TODO: When we're ready to encourage editor integration, add --diff flag @click.option("--format", type=str, help="Format errors according to the chosen formatter.") @click.option( "--extend-ignore", type=str, help="Comma-separated list of errors and warnings to ignore (or skip)", ) @click.argument("file_or_dir", nargs=-1) @click.pass_obj def lint(obj, format, extend_ignore, file_or_dir): """Lint the file(s)/directory(s) given.""" # noqa: D4 _lint(obj=obj, format=format, extend_ignore=extend_ignore, file_or_dir=file_or_dir) @main.command() @click.option( "--extend-ignore", type=str, help="Comma-separated list of errors and warnings to ignore (or skip)", ) @click.argument("file_or_dir", nargs=-1) @click.pass_obj def acknowledge_existing_violations(obj, extend_ignore, file_or_dir): """Lint existing error and suppress. Use this command to acknowledge violations in existing code to allow for enforcing new code. """ logging.info("linting code") capture = StringIO() with contextlib.redirect_stdout(capture): try: _lint(obj=obj, format=None, extend_ignore=extend_ignore, file_or_dir=file_or_dir) except SystemExit: pass # the flake8 app wants to always SystemExit :( lines = capture.getvalue().splitlines() _acknowledge_existing_errors.acknowledge_lint_errors(lines)
[ 11748, 4732, 8019, 198, 11748, 18931, 198, 11748, 3108, 8019, 198, 6738, 33245, 1330, 10903, 9399, 198, 198, 11748, 3904, 198, 11748, 781, 539, 23, 13, 12417, 13, 31438, 198, 11748, 284, 4029, 198, 198, 6738, 37628, 62, 29412, 62, 34365...
2.479385
1,625
print_hello() print_hello() print_hello()
[ 4798, 62, 31373, 3419, 198, 4798, 62, 31373, 3419, 198, 4798, 62, 31373, 3419 ]
2.928571
14
# Copyright (c) 2018, NVIDIA CORPORATION. All rights reserved. # # 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. # pylint: disable=invalid-name, too-few-public-methods # pylint: disable=too-many-instance-attributes """Boost building block""" from __future__ import absolute_import from __future__ import unicode_literals from __future__ import print_function import re import posixpath import hpccm.config import hpccm.templates.envvars import hpccm.templates.ldconfig import hpccm.templates.rm import hpccm.templates.tar import hpccm.templates.wget from hpccm.building_blocks.base import bb_base from hpccm.building_blocks.packages import packages from hpccm.common import linux_distro from hpccm.primitives.comment import comment from hpccm.primitives.copy import copy from hpccm.primitives.environment import environment from hpccm.primitives.shell import shell class boost(bb_base, hpccm.templates.envvars, hpccm.templates.ldconfig, hpccm.templates.rm, hpccm.templates.tar, hpccm.templates.wget): """The `boost` building block downloads and installs the [Boost](https://www.boost.org) component. # Parameters b2_opts: List of options to pass to `b2`. The default is an empty list. bootstrap_opts: List of options to pass to `bootstrap.sh`. The default is an empty list. environment: Boolean flag to specify whether the environment (`LD_LIBRARY_PATH`) should be modified to include Boost. The default is True. ldconfig: Boolean flag to specify whether the Boost library directory should be added dynamic linker cache. If False, then `LD_LIBRARY_PATH` is modified to include the Boost library directory. The default value is False. ospackages: List of OS packages to install prior to building. For Ubuntu, the default values are `bzip2`, `libbz2-dev`, `tar`, `wget`, and `zlib1g-dev`. For RHEL-based Linux distributions the default values are `bzip2`, `bzip2-devel`, `tar`, `wget`, `which`, and `zlib-devel`. prefix: The top level installation location. The default value is `/usr/local/boost`. python: Boolean flag to specify whether Boost should be built with Python support. If enabled, the Python C headers need to be installed (typically this can be done by adding `python-dev` or `python-devel` to the list of OS packages). This flag is ignored if `bootstrap_opts` is set. The default is False. sourceforge: Boolean flag to specify whether Boost should be downloaded from SourceForge rather than the current Boost repository. For versions of Boost older than 1.63.0, the SourceForge repository should be used. The default is False. version: The version of Boost source to download. The default value is `1.76.0`. # Examples ```python boost(prefix='/opt/boost/1.67.0', version='1.67.0') ``` ```python boost(sourceforge=True, version='1.57.0') ``` """ def __init__(self, **kwargs): """Initialize building block""" super(boost, self).__init__(**kwargs) self.__b2_opts = kwargs.get('b2_opts', []) self.__baseurl = kwargs.get('baseurl', 'https://boostorg.jfrog.io/artifactory/main/release/__version__/source') self.__bootstrap_opts = kwargs.get('bootstrap_opts', []) self.__ospackages = kwargs.get('ospackages', []) self.__parallel = kwargs.get('parallel', '$(nproc)') self.__prefix = kwargs.get('prefix', '/usr/local/boost') self.__python = kwargs.get('python', False) self.__sourceforge = kwargs.get('sourceforge', False) self.__version = kwargs.get('version', '1.76.0') self.__commands = [] # Filled in by __setup() self.__wd = kwargs.get('wd', hpccm.config.g_wd) # working directory if self.__sourceforge: self.__baseurl = 'https://sourceforge.net/projects/boost/files/boost/__version__' # Set the Linux distribution specific parameters self.__distro() # Construct the series of steps to execute self.__setup() # Fill in container instructions self.__instructions() def __instructions(self): """Fill in container instructions""" self += comment('Boost version {}'.format(self.__version)) self += packages(ospackages=self.__ospackages) self += shell(commands=self.__commands) self += environment(variables=self.environment_step()) def __distro(self): """Based on the Linux distribution, set values accordingly. A user specified value overrides any defaults.""" if hpccm.config.g_linux_distro == linux_distro.UBUNTU: if not self.__ospackages: self.__ospackages = ['bzip2', 'libbz2-dev', 'tar', 'wget', 'zlib1g-dev'] elif hpccm.config.g_linux_distro == linux_distro.CENTOS: if not self.__ospackages: self.__ospackages = ['bzip2', 'bzip2-devel', 'tar', 'wget', 'which', 'zlib-devel'] else: # pragma: no cover raise RuntimeError('Unknown Linux distribution') def __setup(self): """Construct the series of shell commands, i.e., fill in self.__commands""" # The download URL has the version format with underscores so # pull apart the full version to get the individual # components. match = re.match(r'(?P<major>\d+)\.(?P<minor>\d+)\.(?P<revision>\d+)', self.__version) v_underscore = '{0}_{1}_{2}'.format(match.groupdict()['major'], match.groupdict()['minor'], match.groupdict()['revision']) tarball = 'boost_{}.tar.bz2'.format(v_underscore) url = '{0}/{1}'.format(self.__baseurl, tarball) url = url.replace('__version__', self.__version) # Python support requires pyconfig.h which is not part of the # standard Python install. It requires the development # package, python-dev or python-devel. So skip Python unless # it's specifically enabled. if not self.__bootstrap_opts and not self.__python: self.__bootstrap_opts.append('--without-libraries=python') # Download source from web self.__commands.append(self.download_step(url=url, directory=self.__wd)) self.__commands.append(self.untar_step( tarball=posixpath.join(self.__wd, tarball), directory=self.__wd)) # Configure self.__commands.append( 'cd {} && ./bootstrap.sh --prefix={} {}'.format( posixpath.join(self.__wd, 'boost_{}'.format(v_underscore)), self.__prefix, ' '.join(self.__bootstrap_opts))) # Build and install self.__b2_opts.append('-j{}'.format(self.__parallel)) self.__b2_opts.append('-q install') self.__commands.append('./b2 {0}'.format(' '.join(self.__b2_opts))) # Set library path libpath = posixpath.join(self.__prefix, 'lib') if self.ldconfig: self.__commands.append(self.ldcache_step(directory=libpath)) else: self.environment_variables['LD_LIBRARY_PATH'] = '{}:$LD_LIBRARY_PATH'.format(libpath) # Cleanup tarball and directory self.__commands.append(self.cleanup_step( items=[posixpath.join(self.__wd, tarball), posixpath.join(self.__wd, 'boost_{}'.format(v_underscore))])) def runtime(self, _from='0'): """Generate the set of instructions to install the runtime specific components from a build in a previous stage. # Examples ```python b = boost(...) Stage0 += b Stage1 += b.runtime() ``` """ self.rt += comment('Boost') self.rt += copy(_from=_from, src=self.__prefix, dest=self.__prefix) if self.ldconfig: self.rt += shell(commands=[self.ldcache_step( directory=posixpath.join(self.__prefix, 'lib'))]) self.rt += environment(variables=self.environment_step()) return str(self.rt)
[ 2, 15069, 357, 66, 8, 2864, 11, 15127, 23929, 44680, 6234, 13, 220, 1439, 2489, 10395, 13, 198, 2, 198, 2, 49962, 739, 262, 24843, 13789, 11, 10628, 362, 13, 15, 357, 1169, 366, 34156, 15341, 198, 2, 345, 743, 407, 779, 428, 2393,...
2.447222
3,600
from django.conf import settings from django.http import HttpResponse import logging from mapentity.views import (MapEntityLayer, MapEntityList, MapEntityJsonList, MapEntityFormat, MapEntityViewSet, MapEntityDetail, MapEntityDocument, MapEntityCreate, MapEntityUpdate, MapEntityDelete) from geotrek.authent.decorators import same_structure_required from geotrek.common.views import FormsetMixin from geotrek.core.models import AltimetryMixin from geotrek.signage.filters import SignageFilterSet, BladeFilterSet from geotrek.signage.forms import SignageForm, BladeForm, LineFormset from geotrek.signage.models import Signage, Blade, Line from geotrek.signage.serializers import SignageSerializer, BladeSerializer, CSVBladeSerializer, ZipBladeShapeSerializer from rest_framework import permissions as rest_permissions logger = logging.getLogger(__name__)
[ 6738, 42625, 14208, 13, 10414, 1330, 6460, 198, 6738, 42625, 14208, 13, 4023, 1330, 367, 29281, 31077, 198, 198, 11748, 18931, 198, 6738, 3975, 26858, 13, 33571, 1330, 357, 13912, 32398, 49925, 11, 9347, 32398, 8053, 11, 9347, 32398, 41, ...
3.258065
279
# -*- coding: utf-8 -*- # Copyright 2021 Cohesity Inc. import cohesity_management_sdk.models.throttling_configuration class SourceThrottlingConfiguration(object): """Implementation of the 'SourceThrottlingConfiguration' model. Specifies the source side throttling configuration. Attributes: cpu_throttling_config (ThrottlingConfiguration): CPU throttling configuration. network_throttling_config (ThrottlingConfiguration): Network throttling configuration. """ # Create a mapping from Model property names to API property names _names = { "cpu_throttling_config": 'cpuThrottlingConfig', "network_throttling_config": 'networkThrottlingConfig' } def __init__(self, cpu_throttling_config=None, network_throttling_config=None): """Constructor for the SourceThrottlingConfiguration class""" # Initialize members of the class self.cpu_throttling_config = cpu_throttling_config self.network_throttling_config = network_throttling_config @classmethod def from_dictionary(cls, dictionary): """Creates an instance of this model from a dictionary Args: dictionary (dictionary): A dictionary representation of the object as obtained from the deserialization of the server's response. The keys MUST match property names in the API description. Returns: object: An instance of this structure class. """ if dictionary is None: return None # Extract variables from the dictionary cpu_throttling_config = cohesity_management_sdk.models.throttling_configuration.ThrottlingConfiguration.from_dictionary(dictionary.get('cpuThrottlingConfig')) if dictionary.get('cpuThrottlingConfig') else None network_throttling_config = cohesity_management_sdk.models.throttling_configuration.ThrottlingConfiguration.from_dictionary(dictionary.get('networkThrottlingConfig')) if dictionary.get('networkThrottlingConfig') else None # Return an object of this model return cls(cpu_throttling_config, network_throttling_config)
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 2, 15069, 33448, 1766, 956, 414, 3457, 13, 198, 198, 11748, 763, 956, 414, 62, 27604, 62, 21282, 74, 13, 27530, 13, 26110, 926, 1359, 62, 11250, 3924, 198, 198, 4871, ...
2.673784
843
# -*- coding: utf-8 -*- # Generated by Django 1.9.12 on 2017-01-16 06:37 from __future__ import unicode_literals from django.db import migrations, models import django.db.models.deletion
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 2, 2980, 515, 416, 37770, 352, 13, 24, 13, 1065, 319, 2177, 12, 486, 12, 1433, 9130, 25, 2718, 198, 6738, 11593, 37443, 834, 1330, 28000, 1098, 62, 17201, 874, 198, ...
2.73913
69
# -*- coding: utf-8 -*- """ Created on Tue Dec 22 09:02:23 2015 @author: Avinash """ import numpy as np from numpy import * import numpy from math import * import ev_charge_schedule_modification1 as ev #import ev_charge_schedule.static as func1 #import ev_charge_schedule.dynamic as func2 import time #from numba import double from numba.decorators import autojit func1=ev.static func=autojit(func1) mode=1 runs=1 maxiter=2000 N=40 D=100*24 # Number of particles ev.global_var(var_set=0,N_veh=int(D/float(24))) fitness_val=numpy.zeros(shape=(runs,maxiter)) best_pos=numpy.zeros(shape=(runs,D)) MG=4 prmn=0.5 prmx=0.5 aa=1 SMtot=40 MSw=1 Sw=numpy.array([[1,0,SMtot,0,0,0,0,0,0,0,0,0,0,0,0,0,0],\ [0,0,SMtot/2,SMtot/2,SMtot,0,0,0,0,0,0,0,0,0,0,0,0],\ [0,0,SMtot/4,SMtot/4,SMtot/2,SMtot/2,SMtot,0,0,0,0,0,0,0,0,0,0],\ [0,0,SMtot/4,SMtot/4,SMtot/2,SMtot/2,(3*SMtot)/4,(3*SMtot)/4,SMtot,0,0,0,0,0,0,0,0],\ [0,0,SMtot/8,SMtot/8,SMtot/4,SMtot/4,SMtot/2,SMtot/2,(3*SMtot)/4,(3*SMtot)/4,SMtot,0,0,0,0,0,0],\ [0,0,SMtot/8,SMtot/8,SMtot/4,SMtot/4,(3*SMtot)/8,(3*SMtot)/8,SMtot/2,SMtot/2,(3*SMtot)/4,(3*SMtot)/4,SMtot,0,0,0,0],\ [0,0,SMtot/8,SMtot/8,SMtot/4,SMtot/4,(3*SMtot)/8,(3*SMtot)/8,SMtot/2,SMtot/2,(5*SMtot)/8,(5*SMtot)/8,(3*SMtot)/4,(3*SMtot)/4,SMtot,0,0],\ [0,0,SMtot/8,SMtot/8,SMtot/4,SMtot/4,(3*SMtot)/8,(3*SMtot)/8,SMtot/2,SMtot/2,(5*SMtot)/8,(5*SMtot)/8,(3*SMtot)/4,(3*SMtot)/4,(7*SMtot)/8,(7*SMtot)/8,SMtot]]) s0=0 sk=SMtot/8 s1=2*sk s2=4*sk s3=6*sk s4=8*sk # boundary constraints ub=numpy.random.random(size=(D,1)) lb=numpy.random.random(size=(D,1)) i=0 while i<D: ub[i][0]=8.8 lb[i][0]=2.2 i+=1 if aa==0: GLL=SMtot LLL=SMtot*D elif aa==1: GLL=20 LLL=500 for run_no in range(runs): SM=numpy.random.uniform(size=(SMtot,D)) SM2=numpy.random.uniform(size=(SMtot,D)) i=0 while i<SMtot: j=0 while j<D: SM[i][j]=lb[j][0]+SM[i][j]*(ub[j][0]-lb[j][0]) SM2[i][j]=SM[i][j] j+=1 i+=1 SMval=numpy.random.uniform(size=(SMtot,1)) SMval2=numpy.random.uniform(size=(SMtot,1)) LL=SM[0:MG] GL=SM[1] LLval=numpy.random.uniform(size=(MG,1))*1e12 GLval=100000000 LLc=numpy.zeros(shape=(MG,1)) GLc=0 maxerr=-10000000 ## def optimisation variable ## here we have to minimise f2 opmval=numpy.random.random(size=(6,3)) aa1=0 aa2=0 aa3=0 aa4=0 aa5=0 aa6=0 SMnum=0 while SMnum<SMtot: SMval[SMnum][0]=func(SM[SMnum],mode=mode) SMval2[SMnum][0]=SMval[SMnum][0] if SMval[SMnum][0]<LLval[0][0]: LLval[0][0]=SMval[SMnum][0] LL[0]=SM[SMnum] SMnum+=1 GLval=LLval[0][0] GL=LL[0] prob=numpy.random.random(size=(SMtot,1)) LLval2=numpy.random.random(size=(MG,1)) i=0 while i<MG: LLval2[i][0]=LLval[i][0] i+=1 qq=1 time1=time.time() it=0 fv=0 while it<maxiter and GLval>=maxerr: pr=prmn+(prmx-prmn)*(it/maxiter) LLval2=LLval.copy() if MSw==1: (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a1(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a1(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[0],LLval[0][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a1(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[0],LLval[0][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a1(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s3,s4) (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a2(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a2(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[0],LLval[0][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a2(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[0],LLval[0][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a2(SM,SMval,Sw[0][1],Sw[0][2],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s3,s4) if MSw==2: (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a1(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a1(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[0],LLval[0][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a1(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[0],LLval[0][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a1(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s3,s4) (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a2(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a2(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[0],LLval[0][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a2(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[0],LLval[0][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a2(SM,SMval,Sw[1][3],Sw[1][4],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s3,s4) if MSw==3: (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a1(SM,SMval,Sw[2][5],Sw[2][6],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a1(SM,SMval,Sw[2][5],Sw[2][6],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[1],LLval[1][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a1(SM,SMval,Sw[2][5],Sw[2][6],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[1],LLval[1][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a1(SM,SMval,Sw[2][5],Sw[2][6],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s3,s4) (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a2(SM,SMval,Sw[2][5],Sw[2][6],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a2(SM,SMval,Sw[2][5],Sw[2][6],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[1],LLval[1][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a2(SM,SMval,Sw[2][5],Sw[2][6],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[1],LLval[1][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a2(SM,SMval,Sw[2][5],Sw[2][6],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s3,s4) if MSw==4: (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a1(SM,SMval,Sw[3][7],Sw[3][8],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a1(SM,SMval,Sw[3][7],Sw[3][8],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[1],LLval[1][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a1(SM,SMval,Sw[3][7],Sw[3][8],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[1],LLval[1][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a1(SM,SMval,Sw[3][7],Sw[3][8],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s3,s4) (SM[s0:s1],SMval[s0:s1],LL[0],LLval[0][0],SM2[s0:s1],SMval2[s0:s1])=SMO_a2(SM,SMval,Sw[3][7],Sw[3][8],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s0,s1) (SM[s1:s2],SMval[s1:s2],LL[0],LLval[0][0],SM2[s1:s2],SMval2[s1:s2])=SMO_a2(SM,SMval,Sw[3][7],Sw[3][8],D,LL[0],LLval[0][0],pr,SM2,SMval2,LLval2[0][0],LLL,prob,ub,lb,GL,s1,s2) (SM[s2:s3],SMval[s2:s3],LL[1],LLval[1][0],SM2[s2:s3],SMval2[s2:s3])=SMO_a2(SM,SMval,Sw[3][7],Sw[3][8],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s2,s3) (SM[s3:s4],SMval[s3:s4],LL[1],LLval[1][0],SM2[s3:s4],SMval2[s3:s4])=SMO_a2(SM,SMval,Sw[3][7],Sw[3][8],D,LL[1],LLval[1][0],pr,SM2,SMval2,LLval2[1][0],LLL,prob,ub,lb,GL,s3,s4) i1=0 while i1<MSw: if LLval[i1][0]==LLval2[i1][0]: LLc[i1][0]+=1 else: LLc[i1][0]=0 i1+=1 i=0 GLval1=GLval while i<MSw: if LLval[i][0]<GLval: GLval=LLval[i][0] GL=LL[i] i+=1 if GLval==GLval1: GLc+=1 else: GLc=0 grp=1 while grp<=MSw: if LLc[grp-1][0]>=LLL: LLc[grp-1][0]=0 SMnum=Sw[MSw-1][2*grp-1] while SMnum<Sw[MSw-1][2*grp]: j=0 while j<D: if numpy.random.random()>pr: SM[SMnum][j]=lb[j][0]+numpy.random.random()*(ub[j][0]-lb[j][0]) else: SM[SMnum][j]=SM[SMnum][j]+numpy.random.random()*(GL[j]-SM[SMnum][j])-numpy.random.random()*(LL[grp-1][j]-SM[SMnum][j]) if SM[SMnum][j]>ub[j][0]: #SM[SMnum][j]=SM[SMnum][j]-1.1*(SM[SMnum][j]-ub[j][0]) SM[SMnum][j]=lb[j][0]+numpy.random.random()*(ub[j][0]-lb[j][0]) if SM[SMnum][j]<lb[j][0]: SM[SMnum][j]=lb[j][0]+numpy.random.random()*(ub[j][0]-lb[j][0]) j+=1 SMnum+=1 grp+=1 if GLc>=GLL: GLc=0 if MSw<MG: MSw+=1 if MSw==2: LLc[0][0]=0 LLc[1][0]=0 elif MSw==3: LLc[2][0]=LLc[1][0] LLc[0][0]=0 LLc[1][0]=0 elif MSw==4: LLc[2][0]=0 LLc[3][0]=0 elif MSw==5: LLc[4][0]=LLc[3][0] LLc[3][0]=LLc[2][0] LLc[2][0]=LLc[1][0] LLc[0][0]=0 LLc[1][0]=0 elif MSw==6: LLc[5][0]=LLc[4][0] LLc[4][0]=LLc[3][0] LLc[2][0]=0 LLc[3][0]=0 elif MSw==7: LLc[6][0]=LLc[5][0] LLc[4][0]=0 LLc[5][0]=0 elif MSw==8: LLc[6][0]=0 LLc[7][0]=0 else: MSw=1 grp=1 while grp<=MG: LLc[grp-1][0]=0 grp+=1 grp=1 print 'MSw',MSw while grp<=MSw: SMnum=Sw[MSw-1][2*grp-1] LLval[grp-1][0]=SMval[SMnum][0] LL[grp-1]=SM[SMnum] SMnum+=1 while SMnum<Sw[MSw-1][2*grp]: if SMval[SMnum][0]<LLval[grp-1][0]: LLval[grp-1][0]=SMval[SMnum][0] LL[grp-1]=SM[SMnum] SMnum+=1 grp+=1 print 'it=',it,' MSw=',MSw,' GLval=',GLval fitness_val[run_no][it]=GLval it+=1 best_pos[run_no]=GL.copy() time2=time.time() print time2-time1 run_no+=1 numpy.savetxt("DE_fitness_d1_m2"+str(mode)+str(D)+".csv",fitness_val,delimiter=",") numpy.savetxt("DE_bestpos_d1_m2"+str(mode)+str(D)+".csv",best_pos,delimiter=",")
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 201, 198, 37811, 201, 198, 41972, 319, 30030, 4280, 2534, 7769, 25, 2999, 25, 1954, 1853, 201, 198, 201, 198, 31, 9800, 25, 5184, 259, 1077, 201, 198, 37811, 201, 198, 201,...
1.402961
9,321
import json import requests j = json.load(open('voe_config.json')) js = json.dumps(j) requests.post('http://YOUR_DEVICE_IP:8585/set_voe_config', json={'config': js})
[ 11748, 33918, 198, 11748, 7007, 198, 198, 73, 796, 33918, 13, 2220, 7, 9654, 10786, 85, 2577, 62, 11250, 13, 17752, 6, 4008, 198, 8457, 796, 33918, 13, 67, 8142, 7, 73, 8, 198, 198, 8897, 3558, 13, 7353, 10786, 4023, 1378, 56, 116...
2.470588
68
# pptx-template - import csv to powerpoint template # coding=utf-8 import sys import codecs import logging import argparse import json import shutil import os import tempfile import openpyxl as xl from io import open, TextIOWrapper from pptx import Presentation from six import iteritems from itertools import islice from pptx_template.core import edit_slide, remove_slide, get_slide, remove_slide_id, remove_all_slides_having_id from pptx_template.xlsx_model import generate_whole_model from pptx_template import __version__ log = logging.getLogger() if __name__ == '__main__': if sys.version_info[0] == 2: reload(sys) sys.setdefaultencoding('utf-8') main()
[ 2, 279, 457, 87, 12, 28243, 532, 1330, 269, 21370, 284, 1176, 4122, 11055, 198, 2, 19617, 28, 40477, 12, 23, 198, 198, 11748, 25064, 198, 11748, 40481, 82, 198, 11748, 18931, 198, 11748, 1822, 29572, 198, 11748, 33918, 198, 11748, 442...
2.82449
245
from email.mime.text import MIMEText import base64
[ 6738, 3053, 13, 76, 524, 13, 5239, 1330, 337, 3955, 2767, 2302, 198, 11748, 2779, 2414, 628, 628 ]
3
18
import datetime import geopandas as gpd import numpy as np import pandas as pd import pytest import trackintel as ti from geopandas.testing import assert_geodataframe_equal from pandas.testing import assert_frame_equal, assert_index_equal from shapely.geometry import Point from trackintel.analysis.location_identification import ( _freq_assign, _freq_transform, _osna_label_timeframes, freq_method, location_identifier, osna_method, pre_filter_locations, ) @pytest.fixture def example_staypoints(): """Staypoints to test pre_filter.""" p1 = Point(8.5067847, 47.4) p2 = Point(8.5067847, 47.5) t1 = pd.Timestamp("1971-01-01 00:00:00", tz="utc") t2 = pd.Timestamp("1971-01-01 05:00:00", tz="utc") t3 = pd.Timestamp("1971-01-01 07:00:00", tz="utc") t4 = pd.Timestamp("1971-01-02 23:00:00", tz="utc") # for time testin bigger gap one_hour = datetime.timedelta(hours=1) list_dict = [ {"user_id": 0, "started_at": t1, "finished_at": t2, "geometry": p1, "location_id": 0}, {"user_id": 0, "started_at": t2, "finished_at": t3, "geometry": p1, "location_id": 0}, {"user_id": 0, "started_at": t3, "finished_at": t4, "geometry": p2, "location_id": 1}, # longest duration {"user_id": 1, "started_at": t4, "finished_at": t4 + one_hour, "geometry": p1, "location_id": 0}, ] spts = gpd.GeoDataFrame(data=list_dict, geometry="geometry", crs="EPSG:4326") spts.index.name = "id" assert spts.as_staypoints assert "location_id" in spts.columns return spts @pytest.fixture class TestPre_Filter: """Tests for the function `pre_filter_locations()`.""" def test_no_kw(self, example_staypoints, default_kwargs): """Test that nothing gets filtered if all parameters are set to zero.""" assert all(pre_filter_locations(example_staypoints, **default_kwargs)) def test_thresh_sp(self, example_staypoints, default_kwargs): """Test the minimum staypoint per user parameter.""" default_kwargs["thresh_sp"] = 2 f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints["user_id"] == 0)) def test_thresh_loc(self, example_staypoints, default_kwargs): """Test the minimum location per user parameter.""" default_kwargs["thresh_loc"] = 2 f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints["user_id"] == 0)) def test_thresh_sp_at_loc(self, example_staypoints, default_kwargs): """Test the minimum staypoint per location parameter.""" default_kwargs["thresh_sp_at_loc"] = 2 f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints["location_id"] == 0)) def test_tresh_loc_time(self, example_staypoints, default_kwargs): """Test the minimum duration per location parameter.""" default_kwargs["thresh_loc_time"] = "14h" f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints["location_id"] == 1)) def test_loc_period(self, example_staypoints, default_kwargs): """Test the minimum period per location parameter.""" default_kwargs["thresh_loc_period"] = "2d" f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints["location_id"] == 0)) def test_agg_level(self, example_staypoints, default_kwargs): """Test if different aggregation works.""" default_kwargs["agg_level"] = "user" default_kwargs["thresh_loc_period"] = pd.Timedelta("1d") f = pre_filter_locations(example_staypoints, **default_kwargs) assert all(f == (example_staypoints[["user_id", "location_id"]] == [0, 1]).all(axis=1)) def test_agg_level_error(self, example_staypoints, default_kwargs): """Test if ValueError is raised for unknown agg_level.""" default_kwargs["agg_level"] = "unknown" with pytest.raises(ValueError): pre_filter_locations(example_staypoints, **default_kwargs) def test_non_continous_index(self, example_staypoints, default_kwargs): """Test if function works with non-continous index.""" # issue-#247 example_staypoints.index = [0, 999, 1, 15] f = pre_filter_locations(example_staypoints, **default_kwargs) assert_index_equal(f.index, example_staypoints.index) @pytest.fixture def example_freq(): """Example staypoints with 4 location for 2 users with [3, 2, 1, 1] staypoint per location.""" list_dict = [ {"user_id": 0, "location_id": 0}, {"user_id": 0, "location_id": 0}, {"user_id": 0, "location_id": 0}, {"user_id": 0, "location_id": 1}, {"user_id": 0, "location_id": 1}, {"user_id": 0, "location_id": 2}, {"user_id": 0, "location_id": 3}, {"user_id": 1, "location_id": 0}, {"user_id": 1, "location_id": 0}, {"user_id": 1, "location_id": 0}, {"user_id": 1, "location_id": 1}, {"user_id": 1, "location_id": 1}, {"user_id": 1, "location_id": 2}, {"user_id": 1, "location_id": 3}, ] p1 = Point(8.5067847, 47.1) # geometry isn't used t1 = pd.Timestamp("1971-01-01 00:00:00", tz="utc") t2 = pd.Timestamp("1971-01-01 01:00:00", tz="utc") for d in list_dict: d["started_at"] = t1 d["finished_at"] = t2 d["geom"] = p1 spts = gpd.GeoDataFrame(data=list_dict, geometry="geom", crs="EPSG:4326") spts.index.name = "id" assert "location_id" in spts.columns assert spts.as_staypoints return spts class TestFreq_method: """Test freq_method.""" def test_default_labels(self, example_freq): """Test method with default labels""" freq = freq_method(example_freq) example_freq["activity_label"] = None example_freq.loc[example_freq["location_id"] == 0, "activity_label"] = "home" example_freq.loc[example_freq["location_id"] == 1, "activity_label"] = "work" assert freq["activity_label"].count() == example_freq["activity_label"].count() assert_geodataframe_equal(example_freq, freq) def test_custom_labels(self, example_freq): """Test method with custom label of a different length""" custom_label = "doing_nothing" freq = freq_method(example_freq, "doing_nothing") example_freq["activity_label"] = None example_freq.loc[example_freq["location_id"] == 0, "activity_label"] = custom_label assert freq["activity_label"].count() == example_freq["activity_label"].count() assert_geodataframe_equal(example_freq, freq) def test_duration(self, example_freq): """Test if function can handle only "duration" column and no columns "started_at", "finished_at".""" example_freq["duration"] = example_freq["finished_at"] - example_freq["started_at"] del example_freq["finished_at"] del example_freq["started_at"] freq = freq_method(example_freq) example_freq["activity_label"] = None example_freq.loc[example_freq["location_id"] == 0, "activity_label"] = "home" example_freq.loc[example_freq["location_id"] == 1, "activity_label"] = "work" assert freq["activity_label"].count() == example_freq["activity_label"].count() assert_geodataframe_equal(example_freq, freq) class Test_Freq_Transform: """Test help function _freq_transform.""" def test_function(self): """Test if groupby assign works.""" list_dict = [ {"location_id": 0, "duration": 1}, {"location_id": 0, "duration": 1}, {"location_id": 1, "duration": 1}, ] df = pd.DataFrame(list_dict) freq = _freq_transform(df, "work") sol = pd.Series(["work", "work", None]) assert freq.equals(sol) class Test_Freq_Assign: """Test help function _freq_assign.""" def test_function(self): """Test function with simple input.""" dur = pd.Series([9, 0, 8, 1, 7, 6, 5]) labels = ("label1", "label2", "label3") freq_sol = np.array([labels[0], None, labels[1], None, labels[2], None, None]) freq = _freq_assign(dur, *labels) assert all(freq == freq_sol) class TestLocation_Identifier: """Test function `location_identifier`""" def test_unkown_method(self, example_staypoints): """Test if ValueError is risen if method is unknown""" with pytest.raises(ValueError): location_identifier(example_staypoints, method="UNKNOWN", pre_filter=False) def test_no_location_column(self, example_staypoints): """Test if key error is risen if no column `location_id`.""" with pytest.raises(KeyError): del example_staypoints["location_id"] location_identifier(example_staypoints) def test_pre_filter(self, example_freq, default_kwargs): """Test if function calls pre_filter correctly.""" default_kwargs["agg_level"] = "user" default_kwargs["thresh_sp_at_loc"] = 2 li = location_identifier(example_freq, method="FREQ", pre_filter=True, **default_kwargs) f = pre_filter_locations(example_freq, **default_kwargs) example_freq.loc[f, "activity_label"] = freq_method(example_freq[f])["activity_label"] assert_geodataframe_equal(li, example_freq) def test_freq_method(self, example_freq): """Test if function calls freq method correctly.""" li = location_identifier(example_freq, method="FREQ", pre_filter=False) fr = freq_method(example_freq) assert_geodataframe_equal(li, fr) def test_osna_method(self, example_osna): """Test if function calls osna method correctly.""" li = location_identifier(example_osna, method="OSNA", pre_filter=False) osna = osna_method(example_osna) assert_geodataframe_equal(li, osna) @pytest.fixture def example_osna(): """Generate example staypoints with 3 location for 1 user within 3 different timeframes.""" weekday = "2021-05-19 " t_rest = pd.Timestamp(weekday + "07:00:00", tz="utc") t_work = pd.Timestamp(weekday + "18:00:00", tz="utc") t_leisure = pd.Timestamp(weekday + "01:00:00", tz="utc") h = pd.Timedelta("1h") list_dict = [ {"user_id": 0, "location_id": 0, "started_at": t_rest}, {"user_id": 0, "location_id": 0, "started_at": t_leisure}, {"user_id": 0, "location_id": 0, "started_at": t_work}, {"user_id": 0, "location_id": 1, "started_at": t_rest}, {"user_id": 0, "location_id": 1, "started_at": t_work}, {"user_id": 0, "location_id": 1, "started_at": t_work}, {"user_id": 0, "location_id": 2, "started_at": t_leisure}, ] p = Point(8.0, 47.0) # geometry isn't used for d in list_dict: d["finished_at"] = d["started_at"] + h d["geom"] = p spts = gpd.GeoDataFrame(data=list_dict, geometry="geom", crs="EPSG:4326") spts.index.name = "id" assert "location_id" in spts.columns assert spts.as_staypoints return spts class TestOsna_Method: """Test for the osna_method() function.""" def test_default(self, example_osna): """Test with no changes to test data.""" osna = osna_method(example_osna) example_osna.loc[example_osna["location_id"] == 0, "activity_label"] = "home" example_osna.loc[example_osna["location_id"] == 1, "activity_label"] = "work" assert_geodataframe_equal(example_osna, osna) def test_overlap(self, example_osna): """Test if overlap of home and work location the 2nd location is taken as work location.""" # add 2 work times to location 0, # location 0 would be the most stayed location for both home and work t = pd.Timestamp("2021-05-19 12:00:00", tz="utc") h = pd.to_timedelta("1h") p = Point(0.0, 0.0) list_dict = [ {"user_id": 0, "location_id": 0, "started_at": t, "finished_at": t + h, "geom": p}, {"user_id": 0, "location_id": 0, "started_at": t, "finished_at": t + h, "geom": p}, ] spts = gpd.GeoDataFrame(data=list_dict, geometry="geom", crs="EPSG:4326") spts.index.name = "id" spts = example_osna.append(spts) result = osna_method(spts).iloc[:-2] example_osna.loc[example_osna["location_id"] == 0, "activity_label"] = "home" example_osna.loc[example_osna["location_id"] == 1, "activity_label"] = "work" assert_geodataframe_equal(result, example_osna) def test_only_weekends(self, example_osna): """Test if an "empty df" warning rises if only weekends are included.""" weekend = "2021-05-22" # a saturday def _insert_weekend(dt, day=weekend): """Take datetime and return new datetime with same time but new day.""" time = dt.time().strftime("%H:%M:%S") new_dt = " ".join((day, time)) return pd.Timestamp(new_dt, tz=dt.tz) # replace all days with weekends --> no label in data. example_osna["started_at"] = example_osna["started_at"].apply(_insert_weekend) example_osna["finished_at"] = example_osna["finished_at"].apply(_insert_weekend) # check if warning is raised if all points are excluded (weekend) with pytest.warns(UserWarning): result = osna_method(example_osna) # activity_label column is all pd.NA example_osna["activity_label"] = pd.NA assert_geodataframe_equal(result, example_osna) def test_two_users(self, example_osna): """Test if two users are handled correctly.""" two_user = example_osna.append(example_osna) two_user.iloc[len(example_osna) :, 0] = 1 # second user gets id 1 result = osna_method(two_user) two_user.loc[two_user["location_id"] == 0, "activity_label"] = "home" two_user.loc[two_user["location_id"] == 1, "activity_label"] = "work" assert_geodataframe_equal(result, two_user) def test_leisure_weighting(self): """Test if leisure has the weight given in the paper.""" weight_rest = 0.739 weight_leis = 0.358 ratio = weight_rest / weight_leis ratio += 0.01 # tip the scale in favour of leisure weekday = "2021-05-19 " t_rest = pd.Timestamp(weekday + "07:00:00", tz="utc") t_work = pd.Timestamp(weekday + "18:00:00", tz="utc") t_leis = pd.Timestamp(weekday + "01:00:00", tz="utc") h = pd.Timedelta("1h") list_dict = [ {"user_id": 0, "location_id": 0, "started_at": t_rest, "finished_at": t_rest + h}, {"user_id": 0, "location_id": 1, "started_at": t_leis, "finished_at": t_leis + ratio * h}, {"user_id": 0, "location_id": 2, "started_at": t_work, "finished_at": t_work + h}, ] p = Point(8.0, 47.0) # geometry isn't used for d in list_dict: d["geom"] = p spts = gpd.GeoDataFrame(data=list_dict, geometry="geom", crs="EPSG:4326") spts.index.name = "id" result = osna_method(spts) spts.loc[spts["location_id"] == 1, "activity_label"] = "home" spts.loc[spts["location_id"] == 2, "activity_label"] = "work" assert_geodataframe_equal(spts, result) def test_only_one_work_location(self): """Test if only one work location of a user can be handled.""" t_work = pd.Timestamp("2021-07-14 18:00:00", tz="utc") h = pd.Timedelta("1h") p = Point(0.0, 0.0) # not used list_dict = [{"user_id": 0, "location_id": 0, "started_at": t_work, "finished_at": t_work + h, "g": p}] spts = gpd.GeoDataFrame(data=list_dict, geometry="g") spts.index.name = "id" result = osna_method(spts) spts["activity_label"] = "work" assert_geodataframe_equal(result, spts) def test_only_one_rest_location(self): """Test if only one rest location of a user can be handled.""" t_rest = pd.Timestamp("2021-07-14 07:00:00", tz="utc") h = pd.Timedelta("1h") p = Point(0.0, 0.0) # not used list_dict = [{"user_id": 0, "location_id": 0, "started_at": t_rest, "finished_at": t_rest + h, "g": p}] spts = gpd.GeoDataFrame(data=list_dict, geometry="g") spts.index.name = "id" result = osna_method(spts) spts["activity_label"] = "home" assert_geodataframe_equal(result, spts) def test_only_one_leisure_location(self): """Test if only one leisure location of a user can be handled.""" t_leis = pd.Timestamp("2021-07-14 01:00:00", tz="utc") h = pd.Timedelta("1h") p = Point(0.0, 0.0) # not used list_dict = [{"user_id": 0, "location_id": 0, "started_at": t_leis, "finished_at": t_leis + h, "g": p}] spts = gpd.GeoDataFrame(data=list_dict, geometry="g") spts.index.name = "id" result = osna_method(spts) spts["activity_label"] = "home" assert_geodataframe_equal(result, spts) def test_prior_activity_label(self, example_osna): """Test that prior activity_label column does not corrupt output.""" example_osna["activity_label"] = np.arange(len(example_osna)) result = osna_method(example_osna) del example_osna["activity_label"] example_osna.loc[example_osna["location_id"] == 0, "activity_label"] = "home" example_osna.loc[example_osna["location_id"] == 1, "activity_label"] = "work" assert_geodataframe_equal(example_osna, result) def test_multiple_users_with_only_one_location(self): """Test that function can handle multiple users with only one location.""" t_leis = pd.Timestamp("2021-07-14 01:00:00", tz="utc") t_work = pd.Timestamp("2021-07-14 18:00:00", tz="utc") h = pd.Timedelta("1h") list_dict = [ {"user_id": 0, "location_id": 0, "started_at": t_leis, "finished_at": t_leis + h}, {"user_id": 0, "location_id": 1, "started_at": t_work, "finished_at": t_work + h}, {"user_id": 1, "location_id": 0, "started_at": t_leis, "finished_at": t_leis + h}, {"user_id": 2, "location_id": 0, "started_at": t_work, "finished_at": t_work + h}, ] spts = pd.DataFrame(list_dict) spts.index.name = "id" result = osna_method(spts) spts["activity_label"] = ["home", "work", "home", "work"] assert_frame_equal(spts, result) class Test_osna_label_timeframes: """Test for the _osna_label_timeframes() function.""" def test_weekend(self): """Test if weekend only depends on day and not time.""" t1 = pd.Timestamp("2021-05-22 01:00:00") t2 = pd.Timestamp("2021-05-22 07:00:00") t3 = pd.Timestamp("2021-05-22 08:00:00") t4 = pd.Timestamp("2021-05-22 20:00:00") assert _osna_label_timeframes(t1) == "weekend" assert _osna_label_timeframes(t2) == "weekend" assert _osna_label_timeframes(t3) == "weekend" assert _osna_label_timeframes(t4) == "weekend" def test_weekday(self): """Test the different labels on a weekday.""" t1 = pd.Timestamp("2021-05-20 01:00:00") t2 = pd.Timestamp("2021-05-20 02:00:00") t3 = pd.Timestamp("2021-05-20 08:00:00") t4 = pd.Timestamp("2021-05-20 19:00:00") t5 = pd.Timestamp("2021-05-20 18:59:59") assert _osna_label_timeframes(t1) == "leisure" assert _osna_label_timeframes(t2) == "rest" assert _osna_label_timeframes(t3) == "work" assert _osna_label_timeframes(t4) == "leisure" assert _osna_label_timeframes(t5) == "work"
[ 11748, 4818, 8079, 198, 198, 11748, 30324, 392, 292, 355, 27809, 67, 198, 11748, 299, 32152, 355, 45941, 198, 11748, 19798, 292, 355, 279, 67, 198, 11748, 12972, 9288, 198, 11748, 2610, 48779, 355, 46668, 198, 6738, 30324, 392, 292, 13,...
2.255528
8,774
# Autogenerated constants for Power supply service from jacdac.constants import * from jacdac.system.constants import * JD_SERVICE_CLASS_POWER_SUPPLY = const(0x1f40375f) JD_POWER_SUPPLY_REG_ENABLED = const(JD_REG_INTENSITY) JD_POWER_SUPPLY_REG_OUTPUT_VOLTAGE = const(JD_REG_VALUE) JD_POWER_SUPPLY_REG_MINIMUM_VOLTAGE = const(JD_REG_MIN_VALUE) JD_POWER_SUPPLY_REG_MAXIMUM_VOLTAGE = const(JD_REG_MAX_VALUE) JD_POWER_SUPPLY_PACK_FORMATS = { JD_POWER_SUPPLY_REG_ENABLED: "u8", JD_POWER_SUPPLY_REG_OUTPUT_VOLTAGE: "f64", JD_POWER_SUPPLY_REG_MINIMUM_VOLTAGE: "f64", JD_POWER_SUPPLY_REG_MAXIMUM_VOLTAGE: "f64" }
[ 2, 5231, 519, 877, 515, 38491, 329, 4333, 5127, 2139, 198, 6738, 474, 330, 67, 330, 13, 9979, 1187, 1330, 1635, 198, 6738, 474, 330, 67, 330, 13, 10057, 13, 9979, 1187, 1330, 1635, 198, 37882, 62, 35009, 27389, 62, 31631, 62, 47, ...
2.090909
297
import json import time import urllib from seeder import Seeder class PostCreationException(Exception): """Raised when the creation of a post fails""" pass
[ 11748, 33918, 198, 11748, 640, 198, 11748, 2956, 297, 571, 198, 198, 6738, 384, 5702, 1330, 1001, 5702, 628, 198, 4871, 2947, 12443, 341, 16922, 7, 16922, 2599, 198, 220, 220, 220, 37227, 21762, 1417, 618, 262, 6282, 286, 257, 1281, 1...
3.428571
49
#!/usr/bin/env python from itertools import combinations from sys import argv initial_set = set(argv[1:]) final_set = set() for i in range( len(initial_set) + 1 ): final_set |= set ( combinations( initial_set, i) ) set_printer("S",initial_set) set_printer("P(S)",final_set)
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 6738, 340, 861, 10141, 1330, 17790, 198, 6738, 25064, 1330, 1822, 85, 198, 198, 36733, 62, 2617, 796, 900, 7, 853, 85, 58, 16, 25, 12962, 198, 20311, 62, 2617, 796, 900, 3419, 628, ...
2.6
110
import pandas as pd if __name__ == "__main__": pre_crisis_years = list(range(2000, 2008)) crisis_years = list(range(2008, 2012)) post_crisis_years = list(range(2013, 2016)) df = get_divorce_data() pre_crisis_df = get_mariage_information(df, pre_crisis_years, "pre_crisis_years") crisis_df = get_mariage_information(df, crisis_years, "crisis_years") post_crisis_df = get_mariage_information(df, post_crisis_years, "post_years") df = pd.concat([pre_crisis_df, crisis_df, post_crisis_df]) # df = df.set_index(["Regio's", "period_name"]) # df = df.stack(0) # df.columns = ['regions', 'period_name', 'label_name', 'value'] print(df) df.to_csv("./data/preprocessed_divorces.csv", index=True)
[ 11748, 19798, 292, 355, 279, 67, 628, 198, 361, 11593, 3672, 834, 6624, 366, 834, 12417, 834, 1298, 198, 220, 220, 220, 662, 62, 66, 42841, 62, 19002, 796, 1351, 7, 9521, 7, 11024, 11, 3648, 4008, 198, 220, 220, 220, 4902, 62, 190...
2.358491
318
from django.apps import apps from django.shortcuts import get_object_or_404, redirect from django.contrib import messages from django.utils.translation import ugettext_lazy as _ from django.contrib.auth.decorators import login_required from wishlist.exceptions import ProductAlreadyAdded, ItemDoesNotExists @login_required @login_required
[ 198, 6738, 42625, 14208, 13, 18211, 1330, 6725, 198, 6738, 42625, 14208, 13, 19509, 23779, 1330, 651, 62, 15252, 62, 273, 62, 26429, 11, 18941, 198, 6738, 42625, 14208, 13, 3642, 822, 1330, 6218, 198, 6738, 42625, 14208, 13, 26791, 13, ...
3.484848
99
import argparse import logging import os import tensorflow as tf from distutils.util import strtobool from multiprocessing import Pool from multiprocessing.pool import ThreadPool from generic.data_provider.iterator import Iterator from generic.tf_utils.evaluator import Evaluator, MultiGPUEvaluator from generic.tf_utils.optimizer import create_multi_gpu_optimizer from generic.tf_utils.ckpt_loader import load_checkpoint, create_resnet_saver from generic.utils.config import load_config from generic.utils.file_handlers import pickle_dump from generic.data_provider.image_loader import get_img_builder from generic.data_provider.nlp_utils import GloveEmbeddings from generic.data_provider.dataset import DatasetMerger from vqa.data_provider.vqa_tokenizer import VQATokenizer from vqa.data_provider.vqa_dataset import VQADataset from vqa.data_provider.vqa_batchifier import VQABatchifier from vqa.models.vqa_network import VQANetwork from vqa.train.evaluator_listener import VQADumperListener, VQAEvaluator ############################### # LOAD CONFIG ############################# parser = argparse.ArgumentParser('VQA network baseline!') parser.add_argument("-data_dir", type=str, help="Directory with data") parser.add_argument("-img_dir", type=str, help="Directory with image") parser.add_argument("-img_buf", type=lambda x:bool(strtobool(x)), default="False", help="Store image in memory (faster but require a lot of RAM)") parser.add_argument("-year", type=str, help="VQA release year (either 2014 or 2017)") parser.add_argument("-test_set", type=str, default="test-dev", help="VQA release year (either 2014 or 2017)") parser.add_argument("-exp_dir", type=str, help="Directory in which experiments are stored") parser.add_argument("-config", type=str, help='Config file') parser.add_argument("-load_checkpoint", type=str, help="Load model parameters from specified checkpoint") parser.add_argument("-continue_exp", type=lambda x:bool(strtobool(x)), default="False", help="Continue previously started experiment?") parser.add_argument("-no_thread", type=int, default=1, help="No thread to load batch") parser.add_argument("-no_gpu", type=int, default=1, help="How many gpus?") parser.add_argument("-gpu_ratio", type=float, default=0.95, help="How many GPU ram is required? (ratio)") args = parser.parse_args() config, exp_identifier, save_path = load_config(args.config, args.exp_dir) logger = logging.getLogger() # Load config resnet_version = config['model']["image"].get('resnet_version', 50) finetune = config["model"]["image"].get('finetune', list()) use_glove = config["model"]["glove"] batch_size = config['optimizer']['batch_size'] no_epoch = config["optimizer"]["no_epoch"] merge_dataset = config.get("merge_dataset", False) # Load images logger.info('Loading images..') image_builder = get_img_builder(config['model']['image'], args.img_dir) use_resnet = image_builder.is_raw_image() require_multiprocess = image_builder.require_multiprocess() # Load dictionary logger.info('Loading dictionary..') tokenizer = VQATokenizer(os.path.join(args.data_dir, config["dico_name"])) # Load data logger.info('Loading data..') trainset = VQADataset(args.data_dir, year=args.year, which_set="train", image_builder=image_builder, preprocess_answers=tokenizer.preprocess_answers) validset = VQADataset(args.data_dir, year=args.year, which_set="val", image_builder=image_builder, preprocess_answers=tokenizer.preprocess_answers) testset = VQADataset(args.data_dir, year=args.year, which_set=args.test_set, image_builder=image_builder) if merge_dataset: trainset = DatasetMerger([trainset, validset]) # Load glove glove = None if use_glove: logger.info('Loading glove..') glove = GloveEmbeddings(os.path.join(args.data_dir, config["glove_name"])) # Build Network logger.info('Building multi_gpu network..') networks = [] for i in range(args.no_gpu): logging.info('Building network ({})'.format(i)) with tf.device('gpu:{}'.format(i)): with tf.name_scope('tower_{}'.format(i)) as tower_scope: network = VQANetwork( config=config["model"], no_words=tokenizer.no_words, no_answers=tokenizer.no_answers, reuse=(i > 0), device=i) networks.append(network) assert len(networks) > 0, "you need to set no_gpu > 0 even if you are using CPU" # Build Optimizer logger.info('Building optimizer..') optimizer, outputs = create_multi_gpu_optimizer(networks, config, finetune=finetune) #optimizer, outputs = create_optimizer(networks[0], config, finetune=finetune) ############################### # START TRAINING ############################# # create a saver to store/load checkpoint saver = tf.train.Saver() resnet_saver = None # Retrieve only resnet variabes if use_resnet: resnet_saver = create_resnet_saver(networks) # CPU/GPU option cpu_pool = Pool(args.no_thread, maxtasksperchild=1000) gpu_options = tf.GPUOptions(per_process_gpu_memory_fraction=args.gpu_ratio) with tf.Session(config=tf.ConfigProto(gpu_options=gpu_options, allow_soft_placement=True)) as sess: # retrieve incoming sources sources = networks[0].get_sources(sess) scope_names = ['tower_{}/{}'.format(i, network.scope_name) for i, network in enumerate(networks)] logger.info("Sources: " + ', '.join(sources)) # Create evaluation tools train_evaluator = MultiGPUEvaluator(sources, scope_names, networks=networks, tokenizer=tokenizer) #train_evaluator = Evaluator(sources, scope_names[0], network=networks[0], tokenizer=tokenizer) eval_evaluator = Evaluator(sources, scope_names[0], network=networks[0], tokenizer=tokenizer) # Load checkpoints or pre-trained networks sess.run(tf.global_variables_initializer()) start_epoch = load_checkpoint(sess, saver, args, save_path) if use_resnet: resnet_saver.restore(sess, os.path.join(args.data_dir,'resnet_v1_{}.ckpt'.format(resnet_version))) train_batchifier = VQABatchifier(tokenizer, sources, glove, remove_unknown=True) eval_batchifier = VQABatchifier(tokenizer, sources, glove, remove_unknown=False) # Create listener to use VQA evaluation code dump_file = save_path.format('tmp.json') ques_file = os.path.join(args.data_dir, 'OpenEnded_mscoco_val{}_questions.json'.format(args.year)) ann_file = os.path.join(args.data_dir, 'mscoco_val{}_annotations.json'.format(args.year)) vqa_eval_listener = VQAEvaluator(tokenizer, dump_file, ann_file, ques_file, require=networks[0].prediction) # start actual training best_val_acc, best_train_acc = 0, 0 for t in range(start_epoch, no_epoch): # CPU/GPU option # h5 requires a Tread pool while raw images are more efficient with processes if require_multiprocess: cpu_pool = Pool(args.no_thread, maxtasksperchild=1000) else: cpu_pool = ThreadPool(args.no_thread) cpu_pool._maxtasksperchild = 1000 logger.info('Epoch {}/{}..'.format(t + 1,no_epoch)) train_iterator = Iterator(trainset, batch_size=batch_size, batchifier=train_batchifier, shuffle=True, pool=cpu_pool) [train_loss, train_accuracy] = train_evaluator.process(sess, train_iterator, outputs=outputs + [optimizer]) valid_loss, valid_accuracy = 0,0 if not merge_dataset: valid_iterator = Iterator(validset, batch_size=batch_size*2, batchifier=eval_batchifier, shuffle=False, pool=cpu_pool) # Note : As we need to dump a compute VQA accuracy, we can only use a single-gpu evaluator [valid_loss, valid_accuracy] = eval_evaluator.process(sess, valid_iterator, outputs=[networks[0].loss, networks[0].accuracy], listener=vqa_eval_listener) logger.info("Training loss: {}".format(train_loss)) logger.info("Training accuracy: {}".format(train_accuracy)) logger.info("Validation loss: {}".format(valid_loss)) logger.info("Validation accuracy: {}".format(valid_accuracy)) logger.info(vqa_eval_listener.get_accuracy()) if valid_accuracy >= best_val_acc: best_train_acc = train_accuracy best_val_acc = valid_accuracy saver.save(sess, save_path.format('params.ckpt')) logger.info("checkpoint saved...") pickle_dump({'epoch': t}, save_path.format('status.pkl')) # Dump test file to upload on VQA website logger.info("Compute final {} results...".format(args.test_set)) vqa_file_name = "vqa_OpenEnded_mscoco_{}{}_cbn_results.json".format(args.test_set, args.year, config["model"]["name"]) dumper_eval_listener = VQADumperListener(tokenizer, os.path.join(args.exp_dir, save_path.format(vqa_file_name)), require=networks[0].prediction) saver.restore(sess, save_path.format('params.ckpt')) test_iterator = Iterator(testset, batch_size=batch_size*2, batchifier=eval_batchifier, shuffle=False, pool=cpu_pool) eval_evaluator.process(sess, test_iterator, outputs=[], listener=dumper_eval_listener) logger.info("File dump at {}".format(dumper_eval_listener.out_path))
[ 11748, 1822, 29572, 198, 11748, 18931, 198, 11748, 28686, 198, 11748, 11192, 273, 11125, 355, 48700, 198, 6738, 1233, 26791, 13, 22602, 1330, 965, 83, 672, 970, 198, 198, 6738, 18540, 305, 919, 278, 1330, 19850, 198, 6738, 18540, 305, 9...
2.455052
3,949
import re from random import randint, choice from discord import Color, Embed from discord.ext.commands import Cog, Context, command import aiohttp from bot import constants from bot.bot import Bot from bot.converters import DiceThrow class Fun(Cog): """ A cog for built solely for fun """ roll_pattern = re.compile(r"[1-9]*d[1-9]+") @command(name="roll", aliases=["dice", "throw", "dicethrow"]) async def roll(self, ctx: Context, roll_string: DiceThrow) -> None: """ Roll a random number on dice roll_patterns: XdY X: times, Y: dice sides [f.e.: 4d20 = roll 20-sided dice 4 times] """ throws = roll_string[0] sides = roll_string[1] rolls = [randint(1, sides) for _ in range(throws)] total = sum(rolls) # Change color and extra in case there is a natural roll # If natural 1 red 20 green, otherwise use blurple color = Color.blurple() extra = " " if all(throw == rolls[0] for throw in rolls): # All rolls are same if rolls[0] == 1: extra = "natural " color = constants.Colours.soft_red elif rolls[0] == sides: extra = "natural " color = constants.Colours.soft_green embed = Embed( title="Dice Roll", description=f"{ctx.author.mention} You have rolled {extra}{total}", color=color ) embed.set_footer(text=", ".join(str(roll) for roll in rolls)) await ctx.send(embed=embed) @command() async def joke(self, ctx: Context) -> None: """Send a random joke.""" async with self.session.get("https://mrwinson.me/api/jokes/random") as resp: if resp.status == 200: data = await resp.json() joke = data["joke"] embed = Embed( description=joke, color=Color.gold() ) await ctx.send(embed=embed) else: await ctx.send(f"Something went boom! :( [CODE: {resp.status}]") @command() async def koala(self, ctx: Context) -> None: """Get a random picture of a koala.""" async with self.session.get("https://some-random-api.ml/img/koala") as resp: if resp.status == 200: data = await resp.json() embed = Embed( title="Random Koala!", color=Color.gold() ) embed.set_image(url=data["link"]) await ctx.send(embed=embed) else: await ctx.send(f"Something went boom! :( [CODE: {resp.status}]") @command() async def panda(self, ctx: Context) -> None: """Get a random picture of a panda.""" async with self.session.get("https://some-random-api.ml/img/panda",) as resp: if resp.status == 200: data = await resp.json() embed = Embed( title="Random Panda!", color=Color.gold(), ) embed.set_image(url=data["link"]) await ctx.send(embed=embed) else: await ctx.send(f"Something went boom! :( [CODE: {resp.status}]") @command() async def catfact(self, ctx: Context) -> None: """Send a random cat fact.""" async with aiohttp.ClientSession() as session: async with session.get("https://cat-fact.herokuapp.com/facts") as response: self.all_facts = await response.json() fact = choice(self.all_facts["all"]) await ctx.send(embed=Embed( title="Did you Know?", description=fact["text"], color=0x690E8 )) @command() async def inspireme(self, ctx: Context) -> None: """Fetch a random "inspirational message" from the bot.""" try: async with self.session.get("http://inspirobot.me/api?generate=true") as page: picture = await page.text(encoding="utf-8") embed = Embed() embed.set_image(url=picture) await ctx.send(embed=embed) except Exception: await ctx.send("Oops, there was a problem!") @command(aliases=["shouldi", "ask"]) async def yesno(self, ctx: Context, *, question: str) -> None: """Let the bot answer a yes/no question for you.""" async with aiohttp.ClientSession() as session: async with session.get("https://yesno.wtf/api", headers=self.user_agent) as meme: if meme.status == 200: mj = await meme.json() ans = await self.get_answer(mj["answer"]) em = Embed( title=ans, description=f"And the answer to {question} is this:", colour=0x690E8 ) em.set_image(url=mj["image"]) await ctx.send(embed=em) else: await ctx.send(f"OMFG! [STATUS : {meme.status}]") def setup(bot: Bot) -> None: """Load the Clean cog.""" bot.add_cog(Fun(bot))
[ 11748, 302, 198, 6738, 4738, 1330, 43720, 600, 11, 3572, 198, 198, 6738, 36446, 1330, 5315, 11, 13302, 276, 198, 6738, 36446, 13, 2302, 13, 9503, 1746, 1330, 327, 519, 11, 30532, 11, 3141, 198, 198, 11748, 257, 952, 4023, 198, 198, ...
2.012987
2,618
from django.contrib.contenttypes.models import ContentType from django.db.models.signals import post_save from django.dispatch import receiver from bumblebee.activities.models import UserActivity from bumblebee.activities.utils import _create_activity from config.definitions import DEBUG from .models import Profile @receiver(post_save, sender=Profile) def profile_post_save(sender, instance, created, **kwargs): """ Reciever function for Profile model post save """ if DEBUG: print("Profile `post_save` signal received!") if created: _create_activity( instance.user, UserActivity.Actions.UPDATE, ContentType.objects.get_for_model(instance), instance.id, ) # FIXME check update
[ 6738, 42625, 14208, 13, 3642, 822, 13, 11299, 19199, 13, 27530, 1330, 14041, 6030, 198, 6738, 42625, 14208, 13, 9945, 13, 27530, 13, 12683, 874, 1330, 1281, 62, 21928, 198, 6738, 42625, 14208, 13, 6381, 17147, 1330, 9733, 198, 198, 6738...
2.767606
284
import py4research.math.random as r # Generates an integer random number array i = r.generate_integer_random_number(low=0, high=100, size=10) print(f'Shape: {i.shape}') print(f'Value: {i}') # Generates a random gaussian number array g = r.generate_gaussian_random_number(mean=0.5, variance=1.0, size=10) print(f'Shape: {g.shape}') print(f'Value: {g}')
[ 11748, 12972, 19, 34033, 13, 11018, 13, 25120, 355, 374, 198, 198, 2, 2980, 689, 281, 18253, 4738, 1271, 7177, 198, 72, 796, 374, 13, 8612, 378, 62, 41433, 62, 25120, 62, 17618, 7, 9319, 28, 15, 11, 1029, 28, 3064, 11, 2546, 28, ...
2.583942
137
"""A Python repr() syntax highlighter.""" from prompt_toolkit.styles import Style import pyparsing as pp from pyparsing import pyparsing_common as ppc from .repl import repl # pylint: disable=too-many-locals def parser_factory(styler): """Builds the repr() parser.""" squo = styler('class:string', "'") dquo = styler('class:string', '"') esc_single = pp.oneOf(r'\\ \' \" \n \r \t') esc_hex = pp.Literal(r'\x') + pp.Word(pp.hexnums, exact=2) escs = styler('class:escape', esc_single | esc_hex) control_chars = ''.join(map(chr, range(32))) + '\x7f' normal_chars_squo = pp.CharsNotIn(control_chars + r"\'") chars_squo = styler('class:string', normal_chars_squo) | escs normal_chars_dquo = pp.CharsNotIn(control_chars + r'\"') chars_dquo = styler('class:string', normal_chars_dquo) | escs skip_white = pp.Optional(pp.White()) bytes_prefix = pp.Optional(styler('class:string_prefix', 'b')) string_squo = skip_white + bytes_prefix + squo - pp.ZeroOrMore(chars_squo) + squo string_dquo = skip_white + bytes_prefix + dquo - pp.ZeroOrMore(chars_dquo) + dquo string = string_squo | string_dquo string.leaveWhitespace() address = styler('class:address', '0x' + pp.Word(pp.hexnums)) number = styler('class:number', ppc.number) const = pp.oneOf('True False None NotImplemented Ellipsis ...') const = styler('class:constant', const) kwarg = styler('class:kwarg', ppc.identifier) + styler('class:operator', '=') call = styler('class:call', ppc.identifier) + pp.FollowedBy('(') magic = styler('class:magic', pp.Regex(r'__[a-zA-Z0-9_]+__')) token = string | address | number | const | kwarg | call | magic token.parseWithTabs() return pp.originalTextFor(token) def main(): """The main function.""" print(__doc__) style = Style([ ('address', '#e45649'), ('call', '#4078f2'), ('constant', '#b27a01 bold'), ('escape', '#0092c7'), ('kwarg', '#b27a01 italic'), ('magic', '#e45649'), ('number', '#b27a01'), ('operator', '#b625b4 bold'), ('string', '#528f50'), ('string_prefix', '#528f50 bold'), ]) repl(parser_factory, style=style, validate=False, prints_result=False, prints_exceptions=False) if __name__ == '__main__': main()
[ 37811, 32, 11361, 41575, 3419, 15582, 1029, 75, 4799, 526, 15931, 198, 198, 6738, 6152, 62, 25981, 15813, 13, 47720, 1330, 17738, 198, 11748, 279, 4464, 945, 278, 355, 9788, 198, 6738, 279, 4464, 945, 278, 1330, 279, 4464, 945, 278, 6...
2.339
1,000
#!/usr/bin/env python # -*-coding:UTF-8 -* # # Olivier Locard import urllib
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 2, 532, 9, 12, 66, 7656, 25, 48504, 12, 23, 532, 9, 198, 2, 198, 2, 45674, 15181, 446, 198, 198, 11748, 2956, 297, 571, 628 ]
2.228571
35
from .tweerator import Tweerator
[ 6738, 764, 83, 732, 263, 1352, 1330, 24205, 263, 1352, 198 ]
3
11
from django.urls import path, include from rest_framework import routers from profiles_api import views router = routers.DefaultRouter() router.register('hello-viewset', views.HelloViewSet, base_name='hello-viewset') """ In the below registerwe need not assign the base name as we have defined it in the UserProfileViewSet using the keyword 'queryset'. Hence rest framework will Automatically assign a base name for it. """ router.register('profile', views.UserProfileViewSet) router.register('feed', views.UserProfileFeedViewSet, base_name='user-feeds') urlpatterns = [ path('hello-view/', views.HelloApiView.as_view()), path('login/', views.UserLoginAPiView.as_view()), path('', include(router.urls)), ]
[ 6738, 42625, 14208, 13, 6371, 82, 1330, 3108, 11, 2291, 198, 198, 6738, 1334, 62, 30604, 1330, 41144, 198, 198, 6738, 16545, 62, 15042, 1330, 5009, 198, 198, 472, 353, 796, 41144, 13, 19463, 49, 39605, 3419, 198, 198, 472, 353, 13, ...
3.213333
225
"""Import custom utils packages """ from .captchahelper import preprocess from .ranked import rank5_accuracy __all__ = [ "preprocess", "rank5_accuracy", ]
[ 37811, 20939, 2183, 3384, 4487, 10392, 198, 37811, 198, 6738, 764, 27144, 11693, 2978, 525, 1330, 662, 14681, 198, 6738, 764, 28282, 1330, 4279, 20, 62, 4134, 23843, 628, 198, 834, 439, 834, 796, 685, 198, 220, 220, 220, 366, 3866, 14...
2.894737
57
"""Restrictions on on ontology classes.""" from enum import Enum import rdflib import logging from rdflib.term import BNode from osp.core.ontology.attribute import OntologyAttribute from osp.core.ontology.relationship import OntologyRelationship logger = logging.getLogger(__name__) class QUANTIFIER(Enum): """The different quantifiers for restrictions.""" SOME = 1 ONLY = 2 EXACTLY = 3 MIN = 4 MAX = 5 VALUE = 6 class RTYPE(Enum): """The two types of restrictions.""" ATTRIBUTE_RESTRICTION = 1 RELATIONSHIP_RESTRICTION = 2 class Restriction(): """A class to represet restrictions on ontology classes.""" def __init__(self, bnode, namespace_registry): """Initialize the restriction class. Args: bnode (BNode): The blank node that represents the restriction. namespace_registry (NamespaceRegistry): The global namespace registry that contains all the OSP-core namespaces. """ self._bnode = bnode self._graph = namespace_registry._graph self._namespace_registry = namespace_registry self._cached_quantifier = None self._cached_property = None self._cached_target = None self._cached_type = None def __str__(self): """Transform to string.""" return " ".join(map(str, (self._property, self.quantifier, self.target))) @property def quantifier(self): """Get the quantifier of the restriction. Returns: QUANTIFIER: The quantifier of the restriction. """ if self._cached_quantifier is None: self._compute_target() return self._cached_quantifier @property def target(self): """The target ontology class or datatype. Returns: Union[OntologyClass, UriRef]: The target class or datatype. """ if self._cached_target is None: self._compute_target() return self._cached_target @property def relationship(self): """The relationship the RELATIONSHIP_RESTRICTION acts on. Raises: AttributeError: Called on an ATTRIBUTE_RESTRICTION. Returns: OntologyRelationship: The relationship the restriction acts on. """ if self.rtype == RTYPE.ATTRIBUTE_RESTRICTION: raise AttributeError return self._property @property def attribute(self): """The attribute the restriction acts on. Only for ATTRIBUTE_RESTRICTIONs. Raises: AttributeError: self is a RELATIONSHIP_RESTRICTIONs. Returns: UriRef: The datatype of the attribute. """ if self.rtype == RTYPE.RELATIONSHIP_RESTRICTION: raise AttributeError return self._property @property def rtype(self): """Return the type of restriction. Whether the restriction acts on attributes or relationships. Returns: RTYPE: The type of restriction. """ if self._cached_type is None: self._compute_rtype() return self._cached_type @property def _property(self): """The relationship or attribute the restriction acts on. Returns: Union[OntologyRelationship, OntologyAttribute]: object of owl:onProperty predicate. """ if self._cached_property is None: self._compute_property() return self._cached_property def _compute_rtype(self): """Compute whether this restriction acts on rels or attrs.""" x = self._property if isinstance(x, OntologyRelationship): self._cached_type = RTYPE.RELATIONSHIP_RESTRICTION return True if isinstance(x, OntologyAttribute): self._cached_type = RTYPE.ATTRIBUTE_RESTRICTION return True def _compute_property(self): """Compute the object of the OWL:onProperty predicate.""" x = self._graph.value(self._bnode, rdflib.OWL.onProperty) if x and not isinstance(x, BNode): self._cached_property = self._namespace_registry.from_iri(x) return True def _compute_target(self): """Compute the target class or datatype.""" for rdflib_predicate, quantifier in [ (rdflib.OWL.someValuesFrom, QUANTIFIER.SOME), (rdflib.OWL.allValuesFrom, QUANTIFIER.ONLY), (rdflib.OWL.cardinality, QUANTIFIER.EXACTLY), (rdflib.OWL.minCardinality, QUANTIFIER.MIN), (rdflib.OWL.maxCardinality, QUANTIFIER.MAX), (rdflib.OWL.hasValue, QUANTIFIER.VALUE) ]: if self._check_quantifier(rdflib_predicate, quantifier): return True def _check_quantifier(self, rdflib_predicate, quantifier): """Check if the restriction uses given quantifier. The quantifier is given as rdflib predicate and python enum. """ x = self._graph.value(self._bnode, rdflib_predicate) if x: self._cached_quantifier = quantifier try: self._cached_target = ( self._namespace_registry.from_bnode(x) if isinstance(x, BNode) else self._namespace_registry.from_iri(x) ) except KeyError: self._cached_target = x return True def get_restriction(bnode, namespace_registry): """Return the restriction object represented by given bnode (or None).""" r = Restriction(bnode, namespace_registry) if r.rtype and r.target: return r
[ 37811, 19452, 2012, 507, 319, 319, 39585, 1435, 6097, 526, 15931, 198, 198, 6738, 33829, 1330, 2039, 388, 198, 11748, 374, 67, 2704, 571, 198, 11748, 18931, 198, 6738, 374, 67, 2704, 571, 13, 4354, 1330, 347, 19667, 198, 6738, 267, 27...
2.250684
2,557
# coding=utf-8 # Copyright 2018 The Google AI Language Team Authors and The HuggingFace Inc. team. # # 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. """PyTorch optimization for BERT model.""" import logging import re, math import torch from torch.optim import Optimizer from torch.optim.lr_scheduler import LambdaLR from torch.nn.utils import clip_grad_norm_ from collections import defaultdict logger = logging.getLogger(__name__) def get_ratsql_schedule_with_warmup(optimizer, num_warmup_steps, num_training_steps, last_epoch=-1): """ Create a schedule with a learning rate that decreases according to the formular in RATSQL model """ return LambdaLR(optimizer, lr_lambda, last_epoch) def get_constant_schedule(optimizer, *args, last_epoch=-1): """ Create a schedule with a constant learning rate. """ return LambdaLR(optimizer, lambda _: 1, last_epoch=last_epoch) def get_constant_schedule_with_warmup(optimizer, num_warmup_steps, last_epoch=-1): """ Create a schedule with a constant learning rate preceded by a warmup period during which the learning rate increases linearly between 0 and 1. """ return LambdaLR(optimizer, lr_lambda, last_epoch=last_epoch) def get_linear_schedule_with_warmup(optimizer, num_warmup_steps, num_training_steps, last_epoch=-1): """ Create a schedule with a learning rate that decreases linearly after linearly increasing during a warmup period. """ return LambdaLR(optimizer, lr_lambda, last_epoch) def get_cosine_schedule_with_warmup(optimizer, num_warmup_steps, num_training_steps, num_cycles=0.5, last_epoch=-1): """ Create a schedule with a learning rate that decreases following the values of the cosine function between 0 and `pi * cycles` after a warmup period during which it increases linearly between 0 and 1. """ return LambdaLR(optimizer, lr_lambda, last_epoch) def get_cosine_with_hard_restarts_schedule_with_warmup( optimizer, num_warmup_steps, num_training_steps, num_cycles=1.0, last_epoch=-1 ): """ Create a schedule with a learning rate that decreases following the values of the cosine function with several hard restarts, after a warmup period during which it increases linearly between 0 and 1. """ return LambdaLR(optimizer, lr_lambda, last_epoch) schedule_dict = { "constant": get_constant_schedule, "linear": get_linear_schedule_with_warmup, "ratsql": get_ratsql_schedule_with_warmup, "cosine": get_cosine_schedule_with_warmup, } class AdamW(Optimizer): """ Implements Adam algorithm with weight decay fix. Parameters: lr (float): learning rate. Default 1e-3. betas (tuple of 2 floats): Adams beta parameters (b1, b2). Default: (0.9, 0.999) eps (float): Adams epsilon. Default: 1e-6 weight_decay (float): Weight decay. Default: 0.0 correct_bias (bool): can be set to False to avoid correcting bias in Adam (e.g. like in Bert TF repository). Default True. """ def step(self, closure=None): """Performs a single optimization step. Arguments: closure (callable, optional): A closure that reevaluates the model and returns the loss. """ loss = None if closure is not None: loss = closure() for group in self.param_groups: for p in group["params"]: if p.grad is None: continue grad = p.grad.data if grad.is_sparse: raise RuntimeError("Adam does not support sparse gradients, please consider SparseAdam instead") state = self.state[p] # State initialization if len(state) == 0: state["step"] = 0 # Exponential moving average of gradient values state["exp_avg"] = torch.zeros_like(p.data) # Exponential moving average of squared gradient values state["exp_avg_sq"] = torch.zeros_like(p.data) exp_avg, exp_avg_sq = state["exp_avg"], state["exp_avg_sq"] beta1, beta2 = group["betas"] state["step"] += 1 # Add grad clipping if group['max_grad_norm'] > 0: clip_grad_norm_(p, group['max_grad_norm']) # Decay the first and second moment running average coefficient # In-place operations to update the averages at the same time exp_avg.mul_(beta1).add_(grad, alpha=1.0 - beta1) exp_avg_sq.mul_(beta2).addcmul_(grad, grad, value=1.0 - beta2) denom = exp_avg_sq.sqrt().add_(group["eps"]) step_size = group["lr"] if group["correct_bias"]: # No bias correction for Bert bias_correction1 = 1.0 - beta1 ** state["step"] bias_correction2 = 1.0 - beta2 ** state["step"] step_size = step_size * math.sqrt(bias_correction2) / bias_correction1 p.data.addcdiv_(exp_avg, denom, value=-step_size) # Just adding the square of the weights to the loss function is *not* # the correct way of using L2 regularization/weight decay with Adam, # since that will interact with the m and v parameters in strange ways. # # Instead we want to decay the weights in a manner that doesn't interact # with the m/v parameters. This is equivalent to adding the square # of the weights to the loss with plain (non-momentum) SGD. # Add weight decay at the end (fixed version) if group["weight_decay"] > 0.0: p.data.add_(p.data, alpha=-group["lr"] * group["weight_decay"]) return loss
[ 2, 19617, 28, 40477, 12, 23, 198, 2, 15069, 2864, 383, 3012, 9552, 15417, 4816, 46665, 290, 383, 12905, 2667, 32388, 3457, 13, 1074, 13, 198, 2, 198, 2, 49962, 739, 262, 24843, 13789, 11, 10628, 362, 13, 15, 357, 1169, 366, 34156, ...
2.488716
2,570
# Copyright 2018 ICON Foundation # # 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. from collections import namedtuple from . import ValueType, RequestParamType, ResponseParamType templates = dict() CHANGE = object() AddChange = namedtuple("AddChange", "value") RemoveChange = namedtuple("RemoveChange", "") ConvertChange = namedtuple("ConvertChange", "key") # ======== templates for Request ========= templates[RequestParamType.send_tx] = { "method": ValueType.text, "params": { "version": ValueType.text, "from": ValueType.none, "to": ValueType.none, "value": ValueType.hex_0x_number, "stepLimit": ValueType.hex_0x_number, "timestamp": ValueType.hex_0x_number, "nonce": ValueType.hex_0x_number, "signature": ValueType.text, "dataType": ValueType.text, "txHash": ValueType.hex_number, CHANGE: { "tx_hash": ConvertChange("txHash"), "time_stamp": ConvertChange("timestamp") } }, "genesisData": ValueType.none } templates[RequestParamType.call] = { "method": ValueType.text, "params": { "to": ValueType.none, "dataType": ValueType.text, "data": { "method": ValueType.text, "params": { "address": ValueType.none } } } } templates[RequestParamType.get_balance] = { "method": ValueType.text, "params": { "address": ValueType.none } } templates[RequestParamType.get_score_api] = templates[RequestParamType.get_balance] templates[RequestParamType.get_total_supply] = { "method": ValueType.text } templates[RequestParamType.invoke] = { "block": { "blockHeight": ValueType.hex_0x_number, "blockHash": ValueType.hex_number, "timestamp": ValueType.hex_0x_number, "prevBlockHash": ValueType.hex_number, CHANGE: { "block_height": ConvertChange("blockHeight"), "block_hash": ConvertChange("blockHash"), "time_stamp": ConvertChange("timestamp") } }, "transactions": [ templates[RequestParamType.send_tx] ] } templates[RequestParamType.write_precommit_state] = { "blockHeight": ValueType.hex_0x_number, "blockHash": ValueType.hex_number } templates[RequestParamType.remove_precommit_state] = templates[RequestParamType.write_precommit_state] templates[RequestParamType.get_block] = { "hash": ValueType.hex_number, "height": ValueType.integer } templates[RequestParamType.get_block_by_hash] = { "hash": ValueType.hex_number } templates[RequestParamType.get_block_by_height] = { "height": ValueType.integer } templates[RequestParamType.get_tx_result] = { "txHash": ValueType.hex_number } templates[RequestParamType.get_reps_by_hash] = { "repsHash": ValueType.hex_0x_hash_number } templates[RequestParamType.get_block_receipts] = templates[RequestParamType.get_block] # ======== templates for Response ========= BLOCK_0_1a = { CHANGE: { "prevHash": ConvertChange("prev_block_hash"), "transactionsHash": ConvertChange("merkle_tree_root_hash"), "timestamp": ConvertChange("time_stamp"), "transactions": ConvertChange("confirmed_transaction_list"), "hash": ConvertChange("block_hash"), "leader": ConvertChange("peer_id"), "nextLeader": ConvertChange("next_leader"), "stateHash": RemoveChange(), "receiptsHash": RemoveChange(), "repsHash": RemoveChange(), "nextRepsHash": RemoveChange(), "leaderVotesHash": RemoveChange(), "prevVotesHash": RemoveChange(), "logsBloom": RemoveChange(), "leaderVotes": RemoveChange(), "prevVotes": RemoveChange() }, "version": ValueType.text, "prev_block_hash": ValueType.hex_hash_number, "merkle_tree_root_hash": ValueType.hex_hash_number, "time_stamp": ValueType.integer, "confirmed_transaction_list": None, "block_hash": ValueType.hex_hash_number, "height": ValueType.integer, "peer_id": ValueType.text, "signature": ValueType.text, "next_leader": ValueType.text } BLOCK_0_3 = { "transactions": None } TX_V2 = [ { CHANGE: { "txHash": ConvertChange("tx_hash"), "version": RemoveChange(), "stepLimit": RemoveChange(), "dataType": RemoveChange(), "data": RemoveChange(), "nid": RemoveChange(), "method": AddChange("icx_sendTransaction") }, "timestamp": ValueType.integer_str, "tx_hash": ValueType.hex_hash_number } ] TX_V3 = [ { "txHash": ValueType.hex_0x_hash_number } ] templates[ResponseParamType.get_block_v0_1a_tx_v3] = dict(BLOCK_0_1a) templates[ResponseParamType.get_block_v0_1a_tx_v3]["confirmed_transaction_list"] = TX_V3 templates[ResponseParamType.get_block_v0_1a_tx_v2] = dict(BLOCK_0_1a) templates[ResponseParamType.get_block_v0_1a_tx_v2]["confirmed_transaction_list"] = TX_V2 templates[ResponseParamType.get_block_v0_3_tx_v3] = dict(BLOCK_0_3) templates[ResponseParamType.get_block_v0_3_tx_v3]["transactions"] = TX_V3 templates[ResponseParamType.get_tx_result] = { "txHash": ValueType.hex_0x_hash_number, "blockHash": ValueType.hex_0x_hash_number, } templates[ResponseParamType.get_tx_by_hash] = { "txHash": ValueType.hex_0x_hash_number, "blockHeight": ValueType.hex_0x_number, "blockHash": ValueType.hex_0x_hash_number, CHANGE: { "tx_hash": ConvertChange("txHash") } } templates[ResponseParamType.send_tx] = ValueType.hex_0x_hash_number templates[ResponseParamType.get_block_receipts] = { "tx_results": [ { "txHash": ValueType.hex_0x_hash_number, "blockHash": ValueType.hex_0x_hash_number, } ] }
[ 2, 15069, 2864, 314, 10943, 5693, 198, 2, 198, 2, 49962, 739, 262, 24843, 13789, 11, 10628, 362, 13, 15, 357, 1169, 366, 34156, 15341, 198, 2, 345, 743, 407, 779, 428, 2393, 2845, 287, 11846, 351, 262, 13789, 13, 198, 2, 921, 743,...
2.405764
2,637
#!/usr/bin/env python3 """ An example of testing the cache to prove that it's not making more requests than expected. """ import asyncio from contextlib import asynccontextmanager from logging import basicConfig, getLogger from unittest.mock import patch from aiohttp import ClientSession from aiohttp_client_cache import CachedResponse, CachedSession, SQLiteBackend basicConfig(level='INFO') logger = getLogger('aiohttp_client_cache.examples') # Uncomment for more verbose debug output # getLogger('aiohttp_client_cache').setLevel('DEBUG') @asynccontextmanager async def log_requests(): """Context manager that mocks and logs all non-cached requests""" with patch.object(ClientSession, '_request', side_effect=mock_response) as mock_request: async with CachedSession(cache=SQLiteBackend('cache-test.sqlite')) as session: await session.cache.clear() yield session cached_responses = [v async for v in session.cache.responses.values()] logger.debug('All calls to ClientSession._request():') logger.debug(mock_request.mock_calls) logger.info(f'Responses cached: {len(cached_responses)}') logger.info(f'Requests sent: {mock_request.call_count}') async def main(): """Example usage; replace with any other requests you want to test""" async with log_requests() as session: for i in range(10): response = await session.get('http://httpbin.org/get') logger.debug(f'Response {i}: {type(response).__name__}') if __name__ == '__main__': asyncio.run(main())
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 18, 198, 37811, 198, 2025, 1672, 286, 4856, 262, 12940, 284, 5879, 326, 340, 338, 407, 1642, 517, 7007, 621, 2938, 13, 198, 37811, 198, 11748, 30351, 952, 198, 6738, 4732, 8019, 1330, 355, ...
2.884404
545
#!/usr/bin/env python3 # ---------------------------------------------------------------------------- # Copyright (c) 2020--, Qiyun Zhu. # # Distributed under the terms of the Modified BSD License. # # The full license is in the file LICENSE, distributed with this software. # ---------------------------------------------------------------------------- from unittest import TestCase, main from os.path import join, dirname, realpath from shutil import rmtree from tempfile import mkdtemp from woltka.file import openzip from woltka.align import parse_b6o_line, parse_sam_line from woltka.ordinal import ( Ordinal, match_read_gene, read_gene_coords, whether_prefix, add_match_to_readmap) if __name__ == '__main__': main()
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 18, 198, 198, 2, 16529, 10541, 198, 2, 15069, 357, 66, 8, 12131, 438, 11, 1195, 7745, 403, 33144, 13, 198, 2, 198, 2, 4307, 6169, 739, 262, 2846, 286, 262, 40499, 347, 10305, 13789, 13,...
3.557692
208
# Testing command line interfaces is hard. But we'll try # At least we separated our actual program from the I/O part so that we # can test that import scispack from scispack.cli import cli_program
[ 2, 23983, 3141, 1627, 20314, 318, 1327, 13, 887, 356, 1183, 1949, 198, 2, 1629, 1551, 356, 11266, 674, 4036, 1430, 422, 262, 314, 14, 46, 636, 523, 326, 356, 198, 2, 460, 1332, 326, 198, 11748, 629, 271, 8002, 198, 6738, 629, 271,...
3.690909
55
from pyomo.environ import * infinity = float('inf') model = AbstractModel() #Players model.P = Set() #Expected Scoring model.S = Set() #value of each player model.v = Param(model.P, within=PositiveReals) #expected Positions for each player model.e = Param(model.P,model.S, within=NonNegativeReals) #Lower and upper bound on each Position model.Smin = Param(model.S, within=NonNegativeIntegers, default = 0) model.Smax = Param(model.S, within=NonNegativeIntegers, default = 4) #Cost by player model.C = Param(model.P, within=PositiveReals) #Max Cost model.Cmax = Param(within=PositiveReals) # Whether player plays model.x = Var(model.P, within=Binary) # Minimize the cost of players that are played model.value = Objective(rule=value_rule, sense = maximize) # Limit Positions model.positions = Constraint(model.S, rule=position_rule) # Limit the cost of the Players model.cost = Constraint(rule=cost_rule) ''' cost over the average expected points over the average cost_premium = cost-avg_cost points_premium = ex_pts - avg_ex_pts We want a higher points_premium/cost_premium This could be a useful indicator of a players Value '''
[ 198, 6738, 12972, 17902, 13, 268, 2268, 1330, 1635, 198, 10745, 6269, 796, 12178, 10786, 10745, 11537, 198, 198, 19849, 796, 27741, 17633, 3419, 198, 198, 2, 24860, 198, 19849, 13, 47, 796, 5345, 3419, 198, 198, 2, 3109, 7254, 1446, 3...
2.984416
385
class Config(object): """ Common configurations """ #Put any configurations here that are common a close all enviroment class DevelopmentConfig(Config): """ Development configurations """ DEBUG =True SQLALCHEMY_ECHO =True class ProductionConfig(Config): """ Production configurations """ DEBUG =False app_config ={ 'development':DevelopmentConfig, 'production': ProductionConfig }
[ 4871, 17056, 7, 15252, 2599, 198, 220, 220, 220, 37227, 198, 220, 220, 220, 8070, 25412, 198, 220, 220, 220, 37227, 628, 198, 220, 220, 220, 1303, 11588, 597, 25412, 994, 326, 389, 220, 2219, 257, 1969, 477, 17365, 343, 296, 298, 19...
3.061224
147
import rospy from evdev import InputDevice, ecodes from lg_common.helpers import rewrite_message_to_dict, find_device from interactivespaces_msgs.msg import GenericMessage class DeviceReplay: """ Initialized with device name Needs a publisher to publish messages """ def __init__(self, publisher, device_name, event_ecode=None, device=None): """ Needs to be initialized with publisher and device name which is an identifier that DeviceReplay will attach to. Optional parameter is a device_path mainly for testing purposes. """ self.publisher = publisher self.device_name = device_name self.device = device if event_ecode: self.event_code_num = getattr(ecodes, event_ecode) else: self.event_code_num = None # TODO (wz): set device permissions using udev rules because otherwise this node needs sudo if self.device: self.device = device rospy.loginfo("Initializing device replay with device: %s" % self.device) else: try: device_path = find_device(self.device_name) self.device = InputDevice(device_path) rospy.loginfo("Initialize device reader for %s" % self.device) except IndexError: rospy.logerr("No device with name: '%s'" % self.device_name) class DevicePublisher: """ Initialized with topic name and message type """
[ 11748, 686, 2777, 88, 198, 198, 6738, 819, 7959, 1330, 23412, 24728, 11, 9940, 4147, 198, 6738, 300, 70, 62, 11321, 13, 16794, 364, 1330, 28183, 62, 20500, 62, 1462, 62, 11600, 11, 1064, 62, 25202, 198, 6738, 9427, 1083, 43076, 62, ...
2.511785
594
from pyspark import SparkConf from pyspark import SparkContext from pyspark.mllib.regression import LabeledPoint from pyspark.mllib.tree import DecisionTree conf = SparkConf() conf.setMaster('spark://HEAD_NODE_HOSTNAME:7077') conf.setAppName('spark-basic') sc = SparkContext(conf=conf) rdd = sc.parallelize(range(1000)).map(mod).take(10) print rdd training_data, testing_data = labelData(CV_data).randomSplit([0.8, 0.2]) model = DecisionTree.trainClassifier(training_data, numClasses=2, maxDepth=2, categoricalFeaturesInfo={1:2, 2:2}, impurity='gini', maxBins=32)
[ 6738, 279, 893, 20928, 1330, 17732, 18546, 198, 6738, 279, 893, 20928, 1330, 17732, 21947, 198, 6738, 279, 893, 20928, 13, 76, 297, 571, 13, 2301, 2234, 1330, 3498, 18449, 12727, 198, 6738, 279, 893, 20928, 13, 76, 297, 571, 13, 21048...
2.334545
275
# coding=utf-8 # *** WARNING: this file was generated by the Pulumi SDK Generator. *** # *** Do not edit by hand unless you're certain you know what you are doing! *** from enum import Enum __all__ = [ 'ResourceDiscoveryMode', ] class ResourceDiscoveryMode(str, Enum): """ The way resources to remediate are discovered. Defaults to ExistingNonCompliant if not specified. """ EXISTING_NON_COMPLIANT = "ExistingNonCompliant" """Remediate resources that are already known to be non-compliant.""" RE_EVALUATE_COMPLIANCE = "ReEvaluateCompliance" """Re-evaluate the compliance state of resources and then remediate the resources found to be non-compliant."""
[ 2, 19617, 28, 40477, 12, 23, 198, 2, 17202, 39410, 25, 428, 2393, 373, 7560, 416, 262, 21624, 12994, 26144, 35986, 13, 17202, 198, 2, 17202, 2141, 407, 4370, 416, 1021, 4556, 345, 821, 1728, 345, 760, 644, 345, 389, 1804, 0, 17202, ...
3.219626
214
# -*- coding: utf-8 -*- from __future__ import unicode_literals from django.db import migrations, models
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 6738, 11593, 37443, 834, 1330, 28000, 1098, 62, 17201, 874, 198, 198, 6738, 42625, 14208, 13, 9945, 1330, 15720, 602, 11, 4981, 628 ]
2.891892
37
def convert_to_basen(value, base): """Convert a base10 number to basen. >>> [convert_to_basen(i, 16) for i in range(1,16)] #doctest: +NORMALIZE_WHITESPACE ['1/16', '2/16', '3/16', '4/16', '5/16', '6/16', '7/16', '8/16', '9/16', 'a/16', 'b/16', 'c/16', 'd/16', 'e/16', 'f/16'] FUTURE: Binary may support 2's complement in the future, but not now. >>> convert_to_basen(-10, 2) #doctest: +SKIP '0110/2' BUG: Discovered that this algorithm doesn't handle 0. Need to patch it. TODO: Renable this when patched. >>> convert_to_basen(0, 2) '0/2' """ import math return "%s/%s" % (_convert(value, base, \ int(math.log(value, base))), base) if __name__ == "__main__": import doctest doctest.testmod()
[ 4299, 10385, 62, 1462, 62, 12093, 268, 7, 8367, 11, 2779, 2599, 198, 220, 220, 220, 37227, 3103, 1851, 257, 2779, 940, 1271, 284, 1615, 268, 13, 628, 220, 220, 220, 13163, 685, 1102, 1851, 62, 1462, 62, 12093, 268, 7, 72, 11, 1467...
2.112
375
from . import encoding_tester from . import html_compiler
[ 6738, 764, 1330, 21004, 62, 4879, 353, 198, 6738, 764, 1330, 27711, 62, 5589, 5329 ]
3.8
15
from mpmath import mp, mpf def remove_null_values(obj): """ Remove all null values from a dictionary :param obj: dictionary :return: filtered dictionary """ if not isinstance(obj, dict): return obj for k in list(obj.keys()): _obj = obj[k] if _obj is None: del obj[k] elif isinstance(obj[k], dict): remove_null_values(obj[k]) return obj def get_order_type(order): """ Returns the order type (Sell, Short Sell, Buy) :param order: See models.Order :return: String """ if hasattr(order, 'sellorder'): return 'SELL' elif hasattr(order, 'shortsellorder'): return 'SHORT SELL' elif hasattr(order, 'buyorder'): return 'BUY' else: return 'UNKNOWN'
[ 6738, 285, 4426, 776, 1330, 29034, 11, 29034, 69, 628, 628, 198, 4299, 4781, 62, 8423, 62, 27160, 7, 26801, 2599, 198, 220, 220, 220, 37227, 198, 220, 220, 220, 17220, 477, 9242, 3815, 422, 257, 22155, 198, 220, 220, 220, 1058, 1714...
2.247911
359
import os import sys sys.path.append('modules/pytorch_mask_rcnn') import numpy as np import torch import matplotlib.pyplot as plt from torch.autograd import Variable from torch.autograd.gradcheck import zero_gradients from model import Dataset, unmold_image, MaskRCNN, compute_losses from visualize import display_instances from coco import CocoDataset, CocoConfig import skimage.io import time import pathlib # Root directory of the project ROOT_DIR = os.getcwd() # Path to trained weights file COCO_MODEL_PATH = os.path.join(ROOT_DIR, "mask_rcnn_coco.pth") # Directory to save logs and model checkpoints, if not provided # through the command line argument --logs DEFAULT_LOGS_DIR = os.path.join(ROOT_DIR, "logs") DEFAULT_DATASET_YEAR = "2014" def train_adversarial(model, train_dataset, epochs, layers, target_attack=False, show_perturbation=False, use_mask=False, save_adversarials_to_logs=False): """Train the model. train_dataset, val_dataset: Training and validation Dataset objects. learning_rate: The learning rate to train with epochs: Number of training epochs. Note that previous training epochs are considered to be done alreay, so this actually determines the epochs to train in total rather than in this particaular call. layers: Allows selecting wich layers to train. It can be: - A regular expression to match layer names to train - One of these predefined values: heaads: The RPN, classifier and mask heads of the network all: All the layers 3+: Train Resnet stage 3 and up 4+: Train Resnet stage 4 and up 5+: Train Resnet stage 5 and up """ # Pre-defined layer regular expressions layer_regex = { # all layers but the backbone "heads": r"(fpn.P5\_.*)|(fpn.P4\_.*)|(fpn.P3\_.*)|(fpn.P2\_.*)|(rpn.*)|(classifier.*)|(mask.*)", # From a specific Resnet stage and up "3+": r"(fpn.C3.*)|(fpn.C4.*)|(fpn.C5.*)|(fpn.P5\_.*)|(fpn.P4\_.*)|(fpn.P3\_.*)|(fpn.P2\_.*)|(rpn.*)|(classifier.*)|(mask.*)", "4+": r"(fpn.C4.*)|(fpn.C5.*)|(fpn.P5\_.*)|(fpn.P4\_.*)|(fpn.P3\_.*)|(fpn.P2\_.*)|(rpn.*)|(classifier.*)|(mask.*)", "5+": r"(fpn.C5.*)|(fpn.P5\_.*)|(fpn.P4\_.*)|(fpn.P3\_.*)|(fpn.P2\_.*)|(rpn.*)|(classifier.*)|(mask.*)", # All layers "all": ".*", } if layers in layer_regex.keys(): layers = layer_regex[layers] # Data generators train_set = Dataset(train_dataset, model.config, augment=False) train_generator = torch.utils.data.DataLoader(train_set, batch_size=1, shuffle=False, num_workers=4) model.set_trainable(layers) for epoch in range(model.epoch + 1, epochs + 1): # Training train_adversarial_batch(model, train_generator, target_attack=target_attack, show_perturbation=show_perturbation, use_mask=use_mask, save_adversarials_to_logs=save_adversarials_to_logs) def create_mask(shape, bbox): ''' :param shape: mask shape :param bbox: (x, y, width, height) :return: ''' bbox = bbox.data.cpu().numpy().astype(int) mask = torch.zeros(shape) for i in range(3): for j in range(bbox[0], bbox[2]): for k in range(bbox[1], bbox[3]): mask[0][i][j][k] = 1 return mask.cuda() def mold_image_tensor(images, config): """Takes RGB images with 0-255 values and subtraces the mean pixel and converts it to float. Expects image colors in RGB order. """ return images - torch.from_numpy(config.MEAN_PIXEL).float().cuda().unsqueeze(1).unsqueeze(2).unsqueeze(0).expand_as(images) def unmold_image_tensor(normalized_images, config): """Takes a image normalized with mold() and returns the original.""" return normalized_images + torch.from_numpy(config.MEAN_PIXEL).float().cuda().unsqueeze(1).unsqueeze(2).unsqueeze(0).expand_as(normalized_images) if __name__ == '__main__': import argparse # Parse command line arguments parser = argparse.ArgumentParser( description='Train Mask R-CNN on MS COCO.') parser.add_argument('--dataset', required=True, metavar="/path/to/coco/", help='Directory of the MS-COCO dataset') parser.add_argument('--year', required=False, default=DEFAULT_DATASET_YEAR, metavar="<year>", help='Year of the MS-COCO dataset (2014 or 2017) (default=2014)') parser.add_argument('--model', required=False, metavar="/path/to/weights.pth", help="Path to weights .pth file or 'coco'") parser.add_argument('--logs', required=False, default=DEFAULT_LOGS_DIR, metavar="/path/to/logs/", help='Logs and checkpoints directory (default=logs/)') # parser.add_argument('--download', required=False, # default=False, # metavar="<True|False>", # help='Automatically download and unzip MS-COCO files (default=False)', # type=bool) parser.add_argument('--target', required=False, default="class", metavar="<class|localisation|segmentation|combined>", help='Perform a target attack on class, localisation, segmentation ' 'or a combined attack (default=class)') parser.add_argument('--use-mask', required=False, default=False, metavar="<True|False>", help='Use bbox of first annotation as mask (default=False)', type=bool) parser.add_argument('--show-perturbation', required=False, default=False, metavar="<True|False>", help='Shows scaled perturbation (default=False)', type=bool) args = parser.parse_args() print("Model: ", args.model) print("Dataset: ", args.dataset) print("Year: ", args.year) print("Logs: ", args.logs) print("Target: ", args.target) print("Show Perturbation: ", args.show_perturbation) print("Use Mask: ", args.use_mask) # print("Auto Download: ", args.download) config = CocoConfig() config.display() # Create model model = MaskRCNN(config=config, model_dir=args.logs) if config.GPU_COUNT: model = model.cuda() # Select weights file to load model_path = COCO_MODEL_PATH # Load weights print("Loading weights ", model_path) model.load_weights(model_path) dataset_train = CocoDataset() #dataset_train.load_coco(args.dataset, "minival", year=args.year, auto_download=args.download) # Uncomment to get all coco images if args.target is not None and args.target != "": dataset_train.load_coco(args.dataset, "adversarial_attack_target_" + args.target, year=2014, auto_download=False) else: dataset_train.load_coco(args.dataset, "adversarial_attack", year=2014, auto_download=False) dataset_train.prepare() train_adversarial( model, dataset_train, epochs=1, layers='all', target_attack=args.target, show_perturbation=args.show_perturbation, use_mask=args.use_mask, save_adversarials_to_logs=False )
[ 11748, 28686, 198, 11748, 25064, 198, 17597, 13, 6978, 13, 33295, 10786, 18170, 14, 9078, 13165, 354, 62, 27932, 62, 6015, 20471, 11537, 198, 198, 11748, 299, 32152, 355, 45941, 198, 198, 11748, 28034, 198, 11748, 2603, 29487, 8019, 13, ...
2.198893
3,434
# -*- coding: utf-8 -*- """Forms for medical history.""" from django import forms from django.conf import settings from django.core.validators import FileExtensionValidator from djtools.fields import BINARY_CHOICES SICKLE_CELL_RESULTS = ( ('Positive', 'Positive'), ('Negative', 'Negative'), ) DRUG_TEST_RESULTS = ( ('No positive drug test', 'No positive drug test'), ('Positive drug test', 'Positive drug test'), ) ALLOWED_IMAGE_EXTENSIONS = settings.ALLOWED_IMAGE_EXTENSIONS class SicklecellForm(forms.Form): """Sickle Cell form.""" waive = forms.BooleanField(required=False) proof = forms.BooleanField(required=False) results = forms.ChoiceField( choices=SICKLE_CELL_RESULTS, widget=forms.RadioSelect(), required=False, ) results_file = forms.FileField( label="Results File", help_text="Photo/Scan of your test results", validators=[ FileExtensionValidator(allowed_extensions=ALLOWED_IMAGE_EXTENSIONS), ], required=False, ) def clean(self): """ Student must choose one or the other of two checkboxes. The results field if they choose "proof" is required. """ cleaned_data = self.cleaned_data if not cleaned_data["waive"] and not cleaned_data["proof"]: raise forms.ValidationError( "Please check one of the checkboxes below.", ) elif cleaned_data["proof"] and not cleaned_data["results"]: raise forms.ValidationError( """ Please indicate whether your test results were "positive or "negative". """, ) return cleaned_data class DopingForm(forms.Form): """Doping form.""" part1 = forms.BooleanField( label="Statement Concerning Eligibility", ) part2 = forms.BooleanField( label="Buckley Amendment Consent", ) part3_1 = forms.BooleanField( label="Future positive test – all student-athletes sign", ) part3_2 = forms.ChoiceField( label="Positive test by NCAA or other sports governing body", choices=DRUG_TEST_RESULTS, widget=forms.RadioSelect(), ) part3_3 = forms.ChoiceField( label="Are you currently under such a drug-testing suspension?", choices=BINARY_CHOICES, widget=forms.RadioSelect(), ) class PrivacyForm(forms.Form): """Privacy waiver form.""" news_media = forms.BooleanField(required=False) parents_guardians = forms.BooleanField(required=False) disclose_records = forms.BooleanField() class ReportingForm(forms.Form): """Reporting requirements form.""" agree = forms.BooleanField() class RiskForm(forms.Form): """Assumption of risk form.""" agree = forms.BooleanField() class MeniForm(forms.Form): """Meningococcal Meningitis/Hepatitis B Response form.""" agree = forms.BooleanField()
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 198, 37811, 8479, 82, 329, 3315, 2106, 526, 15931, 198, 198, 6738, 42625, 14208, 1330, 5107, 198, 6738, 42625, 14208, 13, 10414, 1330, 6460, 198, 6738, 42625, 14208, 13, ...
2.527872
1,184
# -*- coding: utf-8 -*- from __future__ import absolute_import from packtml.regression import SimpleLogisticRegression from sklearn.datasets import make_classification from sklearn.metrics import accuracy_score import numpy as np X, y = make_classification(n_samples=100, n_features=2, random_state=42, n_redundant=0, n_repeated=0, n_classes=2, class_sep=1.0)
[ 2, 532, 9, 12, 19617, 25, 3384, 69, 12, 23, 532, 9, 12, 198, 198, 6738, 11593, 37443, 834, 1330, 4112, 62, 11748, 198, 198, 6738, 2353, 20369, 13, 2301, 2234, 1330, 17427, 11187, 2569, 8081, 2234, 198, 6738, 1341, 35720, 13, 19608, ...
2.289617
183
import pytest import datetime from pupa.scrape import Disclosure as ScrapeDisclosure
[ 11748, 12972, 9288, 198, 11748, 4818, 8079, 198, 6738, 15552, 64, 13, 1416, 13484, 1330, 41806, 355, 1446, 13484, 7279, 17966, 628, 628, 628, 628, 198 ]
3.576923
26
$NetBSD: patch-Lib_plistlib.py,v 1.1 2018/06/17 19:21:21 adam Exp $ Add ability to parse unsigned integers as externalized by NetBSD proplib(3). --- Lib/plistlib.py.orig 2014-12-10 15:59:39.000000000 +0000 +++ Lib/plistlib.py - self.addObject(int(self.getData())) + self.addObject(int(self.getData(), 0))
[ 3, 7934, 21800, 25, 8529, 12, 25835, 62, 489, 396, 8019, 13, 9078, 11, 85, 352, 13, 16, 2864, 14, 3312, 14, 1558, 678, 25, 2481, 25, 2481, 23197, 5518, 720, 198, 198, 4550, 2694, 284, 21136, 22165, 37014, 355, 7097, 1143, 416, 343...
2.395522
134
from vyper.compiler import ( compile_codes, mk_full_signature, )
[ 6738, 410, 88, 525, 13, 5589, 5329, 1330, 357, 198, 220, 220, 220, 17632, 62, 40148, 11, 198, 220, 220, 220, 33480, 62, 12853, 62, 12683, 1300, 11, 198, 8, 628, 628, 198 ]
2.333333
33
from django.urls import path from . import views app_name='account' urlpatterns = [ path('login', views.login,name='login'), path('login/*/', views.login,name='login2'), path('register', views.register,name='register'), path('conact', views.conact,name='conact'), path('do_register',views.do_register,name='do_register'), path('out_register',views.out_register,name='out_register'), path('loginVerify',views.loginVerify,name='loginVerify'), path('Verifyum',views.Verifyum), path('user_detail',views.user_detail,name='user_detail'), path('user_detail2',views.user_detail2,name='user_detail2'), path('user_order_info',views.user_order_info,name='user_order_info'), path('user_address_info',views.user_address_info,name='user_address_info'), ]
[ 6738, 42625, 14208, 13, 6371, 82, 1330, 3108, 198, 6738, 764, 1330, 5009, 198, 198, 1324, 62, 3672, 11639, 23317, 6, 198, 198, 6371, 33279, 82, 796, 685, 198, 220, 220, 220, 3108, 10786, 38235, 3256, 5009, 13, 38235, 11, 3672, 11639, ...
2.765734
286
example = """eedadn drvtee eandsr raavrd atevrs tsrnev sdttsa rasrtv nssdts ntnada svetve tesnvt vntsnd vrdear dvrsen enarar""" answer = { "a": "easter", "b": "advent" } do_day(test=False, day="a") do_day(test=False, day="b")
[ 20688, 796, 37227, 2308, 324, 77, 198, 7109, 85, 660, 68, 198, 68, 1746, 81, 198, 430, 615, 4372, 198, 378, 85, 3808, 198, 912, 81, 710, 85, 198, 21282, 83, 912, 64, 198, 8847, 81, 14981, 198, 77, 824, 67, 912, 198, 429, 77, 4...
1.825397
126
# # PySNMP MIB module INFORMANT-HW (http://snmplabs.com/pysmi) # ASN.1 source file:///Users/davwang4/Dev/mibs.snmplabs.com/asn1/INFORMANT-HW # Produced by pysmi-0.3.4 at Mon Apr 29 19:42:12 2019 # On host DAVWANG4-M-1475 platform Darwin version 18.5.0 by user davwang4 # Using Python version 3.7.3 (default, Mar 27 2019, 09:23:15) # OctetString, ObjectIdentifier, Integer = mibBuilder.importSymbols("ASN1", "OctetString", "ObjectIdentifier", "Integer") NamedValues, = mibBuilder.importSymbols("ASN1-ENUMERATION", "NamedValues") SingleValueConstraint, ValueRangeConstraint, ConstraintsUnion, ValueSizeConstraint, ConstraintsIntersection = mibBuilder.importSymbols("ASN1-REFINEMENT", "SingleValueConstraint", "ValueRangeConstraint", "ConstraintsUnion", "ValueSizeConstraint", "ConstraintsIntersection") ModuleCompliance, NotificationGroup = mibBuilder.importSymbols("SNMPv2-CONF", "ModuleCompliance", "NotificationGroup") Gauge32, iso, Unsigned32, NotificationType, ObjectIdentity, Bits, Counter64, IpAddress, MibIdentifier, TimeTicks, MibScalar, MibTable, MibTableRow, MibTableColumn, Integer32, ModuleIdentity, Counter32 = mibBuilder.importSymbols("SNMPv2-SMI", "Gauge32", "iso", "Unsigned32", "NotificationType", "ObjectIdentity", "Bits", "Counter64", "IpAddress", "MibIdentifier", "TimeTicks", "MibScalar", "MibTable", "MibTableRow", "MibTableColumn", "Integer32", "ModuleIdentity", "Counter32") DateAndTime, TextualConvention, TruthValue, DisplayString = mibBuilder.importSymbols("SNMPv2-TC", "DateAndTime", "TextualConvention", "TruthValue", "DisplayString") informant, WtcsDisplayString = mibBuilder.importSymbols("WTCS", "informant", "WtcsDisplayString") wmiHardware = ModuleIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21)) wmiHardware.setRevisions(('2007-05-24 23:24', '2004-11-03 21:35',)) if mibBuilder.loadTexts: wmiHardware.setLastUpdated('200705242324Z') if mibBuilder.loadTexts: wmiHardware.setOrganization('Informant Systems, Inc.') wmiCoolingDevice = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1)) if mibBuilder.loadTexts: wmiCoolingDevice.setStatus('current') win32FanTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1), ) if mibBuilder.loadTexts: win32FanTable.setStatus('current') win32FanEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwfanIndex")) if mibBuilder.loadTexts: win32FanEntry.setStatus('current') hwfanIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanIndex.setStatus('current') hwfanActiveCooling = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanActiveCooling.setStatus('current') hwfanAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanAvailability.setStatus('current') hwfanCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanCaption.setStatus('current') hwfanConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanConfigManagerErrorCode.setStatus('current') hwfanConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanConfigManagerUserConfig.setStatus('current') hwfanCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanCreationClassName.setStatus('current') hwfanDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanDescription.setStatus('current') hwfanDesiredSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanDesiredSpeed.setStatus('current') hwfanDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanDeviceID.setStatus('current') hwfanErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanErrorCleared.setStatus('current') hwfanErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanErrorDescription.setStatus('current') hwfanInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanInstallDate.setStatus('current') hwfanLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanLastErrorCode.setStatus('current') hwfanName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanName.setStatus('current') hwfanPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanPNPDeviceID.setStatus('current') hwfanPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanPowerManagementCapabilities.setStatus('current') hwfanPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanPowerManagementSupported.setStatus('current') hwfanStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanStatus.setStatus('current') hwfanStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanStatusInfo.setStatus('current') hwfanSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanSystemCreationClassName.setStatus('current') hwfanSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanSystemName.setStatus('current') hwfanVariableSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 1, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfanVariableSpeed.setStatus('current') win32HeatPipeTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2), ) if mibBuilder.loadTexts: win32HeatPipeTable.setStatus('current') win32HeatPipeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwhpIndex")) if mibBuilder.loadTexts: win32HeatPipeEntry.setStatus('current') hwhpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpIndex.setStatus('current') hwhpActiveCooling = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpActiveCooling.setStatus('current') hwhpAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpAvailability.setStatus('current') hwhpCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpCaption.setStatus('current') hwhpConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpConfigManagerErrorCode.setStatus('current') hwhpConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpConfigManagerUserConfig.setStatus('current') hwhpCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpCreationClassName.setStatus('current') hwhpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpDescription.setStatus('current') hwhpDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpDeviceID.setStatus('current') hwhpErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpErrorCleared.setStatus('current') hwhpErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpErrorDescription.setStatus('current') hwhpInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 12), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpInstallDate.setStatus('current') hwhpLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpLastErrorCode.setStatus('current') hwhpName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpName.setStatus('current') hwhpPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpPNPDeviceID.setStatus('current') hwhpPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpPowerManagementCapabilities.setStatus('current') hwhpPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpPowerManagementSupported.setStatus('current') hwhpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpStatus.setStatus('current') hwhpStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpStatusInfo.setStatus('current') hwhpSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpSystemCreationClassName.setStatus('current') hwhpSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 2, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwhpSystemName.setStatus('current') win32RefrigerationTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3), ) if mibBuilder.loadTexts: win32RefrigerationTable.setStatus('current') win32RefrigerationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1), ).setIndexNames((0, "INFORMANT-HW", "hwrfgIndex")) if mibBuilder.loadTexts: win32RefrigerationEntry.setStatus('current') hwrfgIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgIndex.setStatus('current') hwrfgActiveCooling = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgActiveCooling.setStatus('current') hwrfgAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgAvailability.setStatus('current') hwrfgCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgCaption.setStatus('current') hwrfgConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgConfigManagerErrorCode.setStatus('current') hwrfgConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgConfigManagerUserConfig.setStatus('current') hwrfgCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgCreationClassName.setStatus('current') hwrfgDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgDescription.setStatus('current') hwrfgDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgDeviceID.setStatus('current') hwrfgErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgErrorCleared.setStatus('current') hwrfgErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgErrorDescription.setStatus('current') hwrfgInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 12), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgInstallDate.setStatus('current') hwrfgLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgLastErrorCode.setStatus('current') hwrfgName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgName.setStatus('current') hwrfgPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgPNPDeviceID.setStatus('current') hwrfgPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgPowerManagementCapabilities.setStatus('current') hwrfgPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgPowerManagementSupported.setStatus('current') hwrfgStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgStatus.setStatus('current') hwrfgStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgStatusInfo.setStatus('current') hwrfgSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgSystemCreationClassName.setStatus('current') hwrfgSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 3, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwrfgSystemName.setStatus('current') win32TemperatureProbeTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4), ) if mibBuilder.loadTexts: win32TemperatureProbeTable.setStatus('current') win32TemperatureProbeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1), ).setIndexNames((0, "INFORMANT-HW", "hwtmpIndex")) if mibBuilder.loadTexts: win32TemperatureProbeEntry.setStatus('current') hwtmpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpIndex.setStatus('current') hwtmpAccuracy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 2), Integer32()).setUnits('Hundredths of Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpAccuracy.setStatus('current') hwtmpAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpAvailability.setStatus('current') hwtmpCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpCaption.setStatus('current') hwtmpConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpConfigManagerErrorCode.setStatus('current') hwtmpConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpConfigManagerUserConfig.setStatus('current') hwtmpCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpCreationClassName.setStatus('current') hwtmpCurrentReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 8), Integer32()).setUnits('Tenths of degrees centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpCurrentReading.setStatus('current') hwtmpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpDescription.setStatus('current') hwtmpDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpDeviceID.setStatus('current') hwtmpErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpErrorCleared.setStatus('current') hwtmpErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpErrorDescription.setStatus('current') hwtmpInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpInstallDate.setStatus('current') hwtmpIsLinear = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpIsLinear.setStatus('current') hwtmpLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpLastErrorCode.setStatus('current') hwtmpLowerThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 16), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpLowerThresholdCritical.setStatus('current') hwtmpLowerThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 17), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpLowerThresholdFatal.setStatus('current') hwtmpLowerThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 18), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpLowerThresholdNonCritical.setStatus('current') hwtmpMaxReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 19), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpMaxReadable.setStatus('current') hwtmpMinReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 20), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpMinReadable.setStatus('current') hwtmpName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpName.setStatus('current') hwtmpNominalReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 22), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpNominalReading.setStatus('current') hwtmpNormalMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 23), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpNormalMax.setStatus('current') hwtmpNormalMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 24), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpNormalMin.setStatus('current') hwtmpPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpPNPDeviceID.setStatus('current') hwtmpPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpPowerManagementCapabilities.setStatus('current') hwtmpPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpPowerManagementSupported.setStatus('current') hwtmpResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 28), Gauge32()).setUnits('Hundredths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpResolution.setStatus('current') hwtmpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpStatus.setStatus('current') hwtmpStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpStatusInfo.setStatus('current') hwtmpSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpSystemCreationClassName.setStatus('current') hwtmpSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpSystemName.setStatus('current') hwtmpTolerance = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 33), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpTolerance.setStatus('current') hwtmpUpperThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 34), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpUpperThresholdCritical.setStatus('current') hwtmpUpperThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 35), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpUpperThresholdFatal.setStatus('current') hwtmpUpperThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 1, 4, 1, 36), Integer32()).setUnits('Tenths of degrees Centigrade').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtmpUpperThresholdNonCritical.setStatus('current') wmiInputDevice = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2)) if mibBuilder.loadTexts: wmiInputDevice.setStatus('current') win32KeyboardTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1), ) if mibBuilder.loadTexts: win32KeyboardTable.setStatus('current') win32KeyboardEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwkbIndex")) if mibBuilder.loadTexts: win32KeyboardEntry.setStatus('current') hwkbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbIndex.setStatus('current') hwkbAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbAvailability.setStatus('current') hwkbCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbCaption.setStatus('current') hwkbConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbConfigManagerErrorCode.setStatus('current') hwkbConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbConfigManagerUserConfig.setStatus('current') hwkbCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbCreationClassName.setStatus('current') hwkbDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbDescription.setStatus('current') hwkbDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbDeviceID.setStatus('current') hwkbErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbErrorCleared.setStatus('current') hwkbErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbErrorDescription.setStatus('current') hwkbInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbInstallDate.setStatus('current') hwkbIsLocked = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbIsLocked.setStatus('current') hwkbLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbLastErrorCode.setStatus('current') hwkbLayout = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbLayout.setStatus('current') hwkbName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbName.setStatus('current') hwkbNumberOfFunctionKeys = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbNumberOfFunctionKeys.setStatus('current') hwkbPassword = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("disabled", 3), ("enabled", 4), ("notImplemented", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbPassword.setStatus('current') hwkbPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbPNPDeviceID.setStatus('current') hwkbPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbPowerManagementCapabilities.setStatus('current') hwkbPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbPowerManagementSupported.setStatus('current') hwkbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbStatus.setStatus('current') hwkbStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbStatusInfo.setStatus('current') hwkbSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbSystemCreationClassName.setStatus('current') hwkbSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 1, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwkbSystemName.setStatus('current') win32PointingDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2), ) if mibBuilder.loadTexts: win32PointingDeviceTable.setStatus('current') win32PointingDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwptIndex")) if mibBuilder.loadTexts: win32PointingDeviceEntry.setStatus('current') hwptIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptIndex.setStatus('current') hwptAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptAvailability.setStatus('current') hwptCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptCaption.setStatus('current') hwptConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptConfigManagerErrorCode.setStatus('current') hwptConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptConfigManagerUserConfig.setStatus('current') hwptCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptCreationClassName.setStatus('current') hwptDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptDescription.setStatus('current') hwptDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptDeviceID.setStatus('current') hwptDeviceInterface = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 160, 161, 162))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("serial", 3), ("ps2", 4), ("infrared", 5), ("hpHIL", 6), ("busMouse", 7), ("appleDesktopBus", 8), ("busMouseDB9", 160), ("busMouseMicroDIN", 161), ("usb", 162)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptDeviceInterface.setStatus('current') hwptDoubleSpeedThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 10), Gauge32()).setUnits('Mickeys').setMaxAccess("readonly") if mibBuilder.loadTexts: hwptDoubleSpeedThreshold.setStatus('current') hwptErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptErrorCleared.setStatus('current') hwptErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptErrorDescription.setStatus('current') hwptHandedness = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("unknown", 0), ("notApplicable", 1), ("rightHandedOperation", 2), ("leftHandedOperation", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptHandedness.setStatus('current') hwptHardwareType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptHardwareType.setStatus('current') hwptInfFileName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptInfFileName.setStatus('current') hwptInfSection = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptInfSection.setStatus('current') hwptInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 17), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptInstallDate.setStatus('current') hwptIsLocked = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptIsLocked.setStatus('current') hwptLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptLastErrorCode.setStatus('current') hwptManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptManufacturer.setStatus('current') hwptName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptName.setStatus('current') hwptNumberOfButtons = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 22), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptNumberOfButtons.setStatus('current') hwptPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptPNPDeviceID.setStatus('current') hwptPointingType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("mouse", 3), ("trackBall", 4), ("trackPoint", 5), ("glidePoint", 6), ("touchPad", 7), ("touchScreen", 8), ("mouseOpticalSensor", 9)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptPointingType.setStatus('current') hwptPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptPowerManagementCapabilities.setStatus('current') hwptPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 26), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptPowerManagementSupported.setStatus('current') hwptQuadSpeedThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 27), Gauge32()).setUnits('Mickeys').setMaxAccess("readonly") if mibBuilder.loadTexts: hwptQuadSpeedThreshold.setStatus('current') hwptResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptResolution.setStatus('current') hwptSampleRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 29), Gauge32()).setUnits('Hertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwptSampleRate.setStatus('current') hwptStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptStatus.setStatus('current') hwptStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptStatusInfo.setStatus('current') hwptSynch = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 32), Gauge32()).setUnits('100 Nanoseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwptSynch.setStatus('current') hwptSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptSystemCreationClassName.setStatus('current') hwptSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 2, 2, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwptSystemName.setStatus('current') wmiMassStorage = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3)) if mibBuilder.loadTexts: wmiMassStorage.setStatus('current') win32AutochkSettingTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2), ) if mibBuilder.loadTexts: win32AutochkSettingTable.setStatus('current') win32AutochkSettingEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwasIndex")) if mibBuilder.loadTexts: win32AutochkSettingEntry.setStatus('current') hwasIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwasIndex.setStatus('current') hwasCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1, 2), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwasCaption.setStatus('current') hwasDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwasDescription.setStatus('current') hwasSettingID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwasSettingID.setStatus('current') hwasUserInputDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 2, 1, 5), Gauge32()).setUnits('Seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwasUserInputDelay.setStatus('current') win32CDROMDriveTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8), ) if mibBuilder.loadTexts: win32CDROMDriveTable.setStatus('current') win32CDROMDriveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1), ).setIndexNames((0, "INFORMANT-HW", "hwcdIndex")) if mibBuilder.loadTexts: win32CDROMDriveEntry.setStatus('current') hwcdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdIndex.setStatus('current') hwcdAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdAvailability.setStatus('current') hwcdCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdCapabilities.setStatus('current') hwcdCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdCapabilityDescriptions.setStatus('current') hwcdCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdCaption.setStatus('current') hwcdCompressionMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdCompressionMethod.setStatus('current') hwcdConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdConfigManagerErrorCode.setStatus('current') hwcdConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdConfigManagerUserConfig.setStatus('current') hwcdCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdCreationClassName.setStatus('current') hwcdDefaultBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdDefaultBlockSize.setStatus('current') hwcdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdDescription.setStatus('current') hwcdDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdDeviceID.setStatus('current') hwcdDrive = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdDrive.setStatus('current') hwcdDriveIntegrity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdDriveIntegrity.setStatus('current') hwcdErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdErrorCleared.setStatus('current') hwcdErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdErrorDescription.setStatus('current') hwcdErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdErrorMethodology.setStatus('current') hwcdFileSystemFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 18), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdFileSystemFlags.setStatus('current') hwcdFileSystemFlagsEx = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16, 32, 64, 128, 256, 16384, 32768, 65536, 131072, 262144))).clone(namedValues=NamedValues(("caseSENSITIVESEARCH", 1), ("casePRESERVEDNAMES", 2), ("unicodeONDISK", 4), ("persistentACLS", 8), ("fileCOMPRESSION", 16), ("volumeQUOTAS", 32), ("supportsSPARSEFILES", 64), ("supportsREPARSEPOINTS", 128), ("supportsREMOTESTORAGE", 256), ("supportsLONGNAMES", 16384), ("volumeISCOMPRESSED", 32768), ("supportsOBJECTIDS", 65536), ("supportsENCRYPTION", 131072), ("supportsNAMEDSTREAMS", 262144)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdFileSystemFlagsEx.setStatus('current') hwcdId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdId.setStatus('current') hwcdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 21), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdInstallDate.setStatus('current') hwcdLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdLastErrorCode.setStatus('current') hwcdManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdManufacturer.setStatus('current') hwcdMaxBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 24), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMaxBlockSize.setStatus('current') hwcdMaximumComponentLength = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMaximumComponentLength.setStatus('current') hwcdMaxMediaSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMaxMediaSize.setStatus('current') hwcdMediaLoaded = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMediaLoaded.setStatus('current') hwcdMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("randomAccess", 1), ("supportsWriting", 2), ("removableMedia", 3), ("cdrom", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMediaType.setStatus('current') hwcdMfrAssignedRevisionLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMfrAssignedRevisionLevel.setStatus('current') hwcdMinBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdMinBlockSize.setStatus('current') hwcdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdName.setStatus('current') hwcdNeedsCleaning = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 32), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdNeedsCleaning.setStatus('current') hwcdNumberOfMediaSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdNumberOfMediaSupported.setStatus('current') hwcdPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdPNPDeviceID.setStatus('current') hwcdPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 35), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdPowerManagementCapabilities.setStatus('current') hwcdPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdPowerManagementSupported.setStatus('current') hwcdRevisionLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdRevisionLevel.setStatus('current') hwcdSCSIBus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 38), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSCSIBus.setStatus('current') hwcdSCSILogicalUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 39), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSCSILogicalUnit.setStatus('current') hwcdSCSIPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 40), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSCSIPort.setStatus('current') hwcdSCSITargetId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 41), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSCSITargetId.setStatus('current') hwcdSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 42), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSize.setStatus('current') hwcdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdStatus.setStatus('current') hwcdStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 44), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdStatusInfo.setStatus('current') hwcdSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 45), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSystemCreationClassName.setStatus('current') hwcdSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 46), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdSystemName.setStatus('current') hwcdTransferRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 47), Integer32()).setUnits('KiloBytes per Second').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdTransferRate.setStatus('current') hwcdVolumeName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 48), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdVolumeName.setStatus('current') hwcdVolumeSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 8, 1, 49), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcdVolumeSerialNumber.setStatus('current') win32DiskDriveTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12), ) if mibBuilder.loadTexts: win32DiskDriveTable.setStatus('current') win32DiskDriveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1), ).setIndexNames((0, "INFORMANT-HW", "hwddIndex")) if mibBuilder.loadTexts: win32DiskDriveEntry.setStatus('current') hwddIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddIndex.setStatus('current') hwddAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddAvailability.setStatus('current') hwddBytesPerSector = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 3), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwddBytesPerSector.setStatus('current') hwddCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddCapabilities.setStatus('current') hwddCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddCapabilityDescriptions.setStatus('current') hwddCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddCaption.setStatus('current') hwddCompressionMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddCompressionMethod.setStatus('current') hwddConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddConfigManagerErrorCode.setStatus('current') hwddConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddConfigManagerUserConfig.setStatus('current') hwddCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddCreationClassName.setStatus('current') hwddDefaultBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 11), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddDefaultBlockSize.setStatus('current') hwddDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddDescription.setStatus('current') hwddDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddDeviceID.setStatus('current') hwddErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddErrorCleared.setStatus('current') hwddErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddErrorDescription.setStatus('current') hwddErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddErrorMethodology.setStatus('current') hwddPhysicalIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddPhysicalIndex.setStatus('current') hwddInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 18), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddInstallDate.setStatus('current') hwddInterfaceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddInterfaceType.setStatus('current') hwddLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddLastErrorCode.setStatus('current') hwddManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddManufacturer.setStatus('current') hwddMaxBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddMaxBlockSize.setStatus('current') hwddMaxMediaSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddMaxMediaSize.setStatus('current') hwddMediaLoaded = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 24), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddMediaLoaded.setStatus('current') hwddMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddMediaType.setStatus('current') hwddMinBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddMinBlockSize.setStatus('current') hwddModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddModel.setStatus('current') hwddName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddName.setStatus('current') hwddNeedsCleaning = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 29), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddNeedsCleaning.setStatus('current') hwddNumberOfMediaSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddNumberOfMediaSupported.setStatus('current') hwddPartitions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 31), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddPartitions.setStatus('current') hwddPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddPNPDeviceID.setStatus('current') hwddPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddPowerManagementCapabilities.setStatus('current') hwddPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 34), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddPowerManagementSupported.setStatus('current') hwddSCSIBus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSCSIBus.setStatus('current') hwddSCSILogicalUnit = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 36), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSCSILogicalUnit.setStatus('current') hwddSCSIPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 37), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSCSIPort.setStatus('current') hwddSCSITargetId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 38), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSCSITargetId.setStatus('current') hwddSectorsPerTrack = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 39), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSectorsPerTrack.setStatus('current') hwddSignature = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 40), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSignature.setStatus('current') hwddSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 41), WtcsDisplayString()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSize.setStatus('current') hwddStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 42), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddStatus.setStatus('current') hwddStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddStatusInfo.setStatus('current') hwddSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSystemCreationClassName.setStatus('current') hwddSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 45), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddSystemName.setStatus('current') hwddTotalCylinders = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 46), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddTotalCylinders.setStatus('current') hwddTotalHeads = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 47), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddTotalHeads.setStatus('current') hwddTotalSectors = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 48), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddTotalSectors.setStatus('current') hwddTotalTracks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 49), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddTotalTracks.setStatus('current') hwddTracksPerCylinder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 12, 1, 50), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwddTracksPerCylinder.setStatus('current') win32FloppyDriveTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18), ) if mibBuilder.loadTexts: win32FloppyDriveTable.setStatus('current') win32FloppyDriveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1), ).setIndexNames((0, "INFORMANT-HW", "hwfdIndex")) if mibBuilder.loadTexts: win32FloppyDriveEntry.setStatus('current') hwfdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdIndex.setStatus('current') hwfdAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdAvailability.setStatus('current') hwfdCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdCapabilities.setStatus('current') hwfdCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdCapabilityDescriptions.setStatus('current') hwfdCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdCaption.setStatus('current') hwfdCompressionMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdCompressionMethod.setStatus('current') hwfdConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdConfigManagerErrorCode.setStatus('current') hwfdConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdConfigManagerUserConfig.setStatus('current') hwfdCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdCreationClassName.setStatus('current') hwfdDefaultBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdDefaultBlockSize.setStatus('current') hwfdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdDescription.setStatus('current') hwfdDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdDeviceID.setStatus('current') hwfdErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 13), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdErrorCleared.setStatus('current') hwfdErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdErrorDescription.setStatus('current') hwfdErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdErrorMethodology.setStatus('current') hwfdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 16), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdInstallDate.setStatus('current') hwfdLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdLastErrorCode.setStatus('current') hwfdManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdManufacturer.setStatus('current') hwfdMaxBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdMaxBlockSize.setStatus('current') hwfdMaxMediaSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdMaxMediaSize.setStatus('current') hwfdMinBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 21), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdMinBlockSize.setStatus('current') hwfdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdName.setStatus('current') hwfdNeedsCleaning = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdNeedsCleaning.setStatus('current') hwfdNumberOfMediaSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 24), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdNumberOfMediaSupported.setStatus('current') hwfdPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdPNPDeviceID.setStatus('current') hwfdPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdPowerManagementCapabilities.setStatus('current') hwfdPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdPowerManagementSupported.setStatus('current') hwfdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdStatus.setStatus('current') hwfdStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdStatusInfo.setStatus('current') hwfdSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdSystemCreationClassName.setStatus('current') hwfdSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 18, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfdSystemName.setStatus('current') win32PhysicalMediaTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32), ) if mibBuilder.loadTexts: win32PhysicalMediaTable.setStatus('current') win32PhysicalMediaEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpmdIndex")) if mibBuilder.loadTexts: win32PhysicalMediaEntry.setStatus('current') hwpmdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdIndex.setStatus('current') hwpmdCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdCapacity.setStatus('current') hwpmdCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdCaption.setStatus('current') hwpmdCleanerMedia = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdCleanerMedia.setStatus('current') hwpmdCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdCreationClassName.setStatus('current') hwpmdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdDescription.setStatus('current') hwpmdHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdHotSwappable.setStatus('current') hwpmdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdInstallDate.setStatus('current') hwpmdManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdManufacturer.setStatus('current') hwpmdMediaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdMediaDescription.setStatus('current') hwpmdMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61, 62, 63, 64, 65, 66))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("tapeCartridge", 2), ("qicCartridge", 3), ("aitCartridge", 4), ("dtfCartridge", 5), ("datCartridge", 6), ("n8mmTapeCartridge", 7), ("n19mmTapeCartridge", 8), ("dltCartridge", 9), ("halfInchMagneticTapeCartridge", 10), ("cartridgeDisk", 11), ("jazDisk", 12), ("zipDisk", 13), ("syQuestDisk", 14), ("winchesterRemovableDisk", 15), ("cdROM", 16), ("cdROMXA", 17), ("cdI", 18), ("cdRecordable", 19), ("worm", 20), ("magnetoOptical", 21), ("dvd", 22), ("dvdRWplus", 23), ("dvdRAM", 24), ("dvdROM", 25), ("dvdVideo", 26), ("divx", 27), ("floppyDiskette", 28), ("hardDisk", 29), ("memoryCard", 30), ("hardCopy", 31), ("clikDisk", 32), ("cdRW", 33), ("cdDA", 34), ("cd", 35), ("dvdRecordable", 36), ("dvdRWminus", 37), ("dvdAudio", 38), ("dvd5", 39), ("dvd9", 40), ("dvd10", 41), ("dvd18", 42), ("magnetoOpticalRewriteable", 43), ("magnetoOpticalWriteOnce", 44), ("magnetoOpticalRewriteableLIMDOW", 45), ("phaseChangeWriteOnce", 46), ("phaseChangeRewriteable", 47), ("phaseChangeDualRewriteable", 48), ("ablativeWriteOnce", 49), ("nearFieldRecording", 50), ("miniQic", 51), ("travan", 52), ("n8mmMetalParticle", 53), ("n8mmAdvancedMetalEvaporate", 54), ("nctp", 55), ("ltoUltrium", 56), ("ltoAccelis", 57), ("n9TrackeTape", 58), ("n18TrackTape", 59), ("n36TrackTape", 60), ("magstar3590", 61), ("magstarMP", 62), ("d2Tape", 63), ("tapeDSTSmall", 64), ("tapeDSTMedium", 65), ("tapeDSTLarge", 66)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdMediaType.setStatus('current') hwpmdModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdModel.setStatus('current') hwpmdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdName.setStatus('current') hwpmdOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdOtherIdentifyingInfo.setStatus('current') hwpmdPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdPartNumber.setStatus('current') hwpmdPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdPoweredOn.setStatus('current') hwpmdRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdRemovable.setStatus('current') hwpmdReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdReplaceable.setStatus('current') hwpmdSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdSerialNumber.setStatus('current') hwpmdSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdSKU.setStatus('current') hwpmdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdStatus.setStatus('current') hwpmdTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 22), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdTag.setStatus('current') hwpmdVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdVersion.setStatus('current') hwpmdWriteProtectOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 32, 1, 24), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmdWriteProtectOn.setStatus('current') win32TapeDriveTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56), ) if mibBuilder.loadTexts: win32TapeDriveTable.setStatus('current') win32TapeDriveEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1), ).setIndexNames((0, "INFORMANT-HW", "hwtdIndex")) if mibBuilder.loadTexts: win32TapeDriveEntry.setStatus('current') hwtdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdIndex.setStatus('current') hwtdAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdAvailability.setStatus('current') hwtdCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCapabilities.setStatus('current') hwtdCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCapabilityDescriptions.setStatus('current') hwtdCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 5), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCaption.setStatus('current') hwtdCompression = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCompression.setStatus('current') hwtdCompressionMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCompressionMethod.setStatus('current') hwtdConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdConfigManagerErrorCode.setStatus('current') hwtdConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdConfigManagerUserConfig.setStatus('current') hwtdCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdCreationClassName.setStatus('current') hwtdDefaultBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 11), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdDefaultBlockSize.setStatus('current') hwtdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdDescription.setStatus('current') hwtdDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdDeviceID.setStatus('current') hwtdECC = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdECC.setStatus('current') hwtdEOTWarningZoneSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdEOTWarningZoneSize.setStatus('current') hwtdErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdErrorCleared.setStatus('current') hwtdErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdErrorDescription.setStatus('current') hwtdErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdErrorMethodology.setStatus('current') hwtdFeaturesHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdFeaturesHigh.setStatus('current') hwtdFeaturesLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdFeaturesLow.setStatus('current') hwtdId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdId.setStatus('current') hwtdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 22), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdInstallDate.setStatus('current') hwtdLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdLastErrorCode.setStatus('current') hwtdManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdManufacturer.setStatus('current') hwtdMaxBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdMaxBlockSize.setStatus('current') hwtdMaxMediaSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdMaxMediaSize.setStatus('current') hwtdMaxPartitionCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdMaxPartitionCount.setStatus('current') hwtdMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdMediaType.setStatus('current') hwtdMinBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdMinBlockSize.setStatus('current') hwtdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdName.setStatus('current') hwtdNeedsCleaning = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 31), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdNeedsCleaning.setStatus('current') hwtdNumberOfMediaSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 32), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdNumberOfMediaSupported.setStatus('current') hwtdPadding = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 33), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdPadding.setStatus('current') hwtdPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdPNPDeviceID.setStatus('current') hwtdPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 35), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdPowerManagementCapabilities.setStatus('current') hwtdPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdPowerManagementSupported.setStatus('current') hwtdReportSetMarks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdReportSetMarks.setStatus('current') hwtdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdStatus.setStatus('current') hwtdStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdStatusInfo.setStatus('current') hwtdSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdSystemCreationClassName.setStatus('current') hwtdSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 3, 56, 1, 41), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtdSystemName.setStatus('current') wmiMotherboardControllerPort = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4)) if mibBuilder.loadTexts: wmiMotherboardControllerPort.setStatus('current') win321394ControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1), ) if mibBuilder.loadTexts: win321394ControllerTable.setStatus('current') win321394ControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hw1394Index")) if mibBuilder.loadTexts: win321394ControllerEntry.setStatus('current') hw1394Index = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Index.setStatus('current') hw1394Availability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Availability.setStatus('current') hw1394Caption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Caption.setStatus('current') hw1394ConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394ConfigManagerErrorCode.setStatus('current') hw1394ConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394ConfigManagerUserConfig.setStatus('current') hw1394CreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394CreationClassName.setStatus('current') hw1394Description = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Description.setStatus('current') hw1394DeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394DeviceID.setStatus('current') hw1394ErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394ErrorCleared.setStatus('current') hw1394ErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394ErrorDescription.setStatus('current') hw1394InstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394InstallDate.setStatus('current') hw1394LastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394LastErrorCode.setStatus('current') hw1394Manufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Manufacturer.setStatus('current') hw1394MaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394MaxNumberControlled.setStatus('current') hw1394Name = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Name.setStatus('current') hw1394PNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394PNPDeviceID.setStatus('current') hw1394PowerManagementCapability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394PowerManagementCapability.setStatus('current') hw1394PowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394PowerManagementSupported.setStatus('current') hw1394ProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol2", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASE5", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twoWayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394ProtocolSupported.setStatus('current') hw1394Status = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394Status.setStatus('current') hw1394StatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394StatusInfo.setStatus('current') hw1394SystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394SystemCreationClassName.setStatus('current') hw1394SystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394SystemName.setStatus('current') hw1394TimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 1, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hw1394TimeOfLastReset.setStatus('current') win32BaseBoardTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2), ) if mibBuilder.loadTexts: win32BaseBoardTable.setStatus('current') win32BaseBoardEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwbbIndex")) if mibBuilder.loadTexts: win32BaseBoardEntry.setStatus('current') hwbbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbIndex.setStatus('current') hwbbCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbCaption.setStatus('current') hwbbConfigOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbConfigOptions.setStatus('current') hwbbCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbCreationClassName.setStatus('current') hwbbDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbDepth.setStatus('current') hwbbDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbDescription.setStatus('current') hwbbHeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 7), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbHeight.setStatus('current') hwbbHostingBoard = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbHostingBoard.setStatus('current') hwbbHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbHotSwappable.setStatus('current') hwbbInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 10), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbInstallDate.setStatus('current') hwbbManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbManufacturer.setStatus('current') hwbbModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbModel.setStatus('current') hwbbName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbName.setStatus('current') hwbbOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbOtherIdentifyingInfo.setStatus('current') hwbbPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbPartNumber.setStatus('current') hwbbPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbPoweredOn.setStatus('current') hwbbProduct = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbProduct.setStatus('current') hwbbRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbRemovable.setStatus('current') hwbbReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 19), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbReplaceable.setStatus('current') hwbbRequirementsDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbRequirementsDescription.setStatus('current') hwbbRequiresDaughterBoard = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbRequiresDaughterBoard.setStatus('current') hwbbSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbSerialNumber.setStatus('current') hwbbSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbSKU.setStatus('current') hwbbSlotLayout = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbSlotLayout.setStatus('current') hwbbSpecialRequirements = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbSpecialRequirements.setStatus('current') hwbbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbStatus.setStatus('current') hwbbTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 27), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbTag.setStatus('current') hwbbVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbVersion.setStatus('current') hwbbWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbWeight.setStatus('current') hwbbWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 2, 1, 30), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbbWidth.setStatus('current') win32BIOSTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3), ) if mibBuilder.loadTexts: win32BIOSTable.setStatus('current') win32BIOSEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1), ).setIndexNames((0, "INFORMANT-HW", "hwbiIndex")) if mibBuilder.loadTexts: win32BIOSEntry.setStatus('current') hwbiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiIndex.setStatus('current') hwbiBiosCharacteristics = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiBiosCharacteristics.setStatus('current') hwbiBIOSVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiBIOSVersion.setStatus('current') hwbiBuildNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiBuildNumber.setStatus('current') hwbiCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiCaption.setStatus('current') hwbiCodeSet = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiCodeSet.setStatus('current') hwbiCurrentLanguage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiCurrentLanguage.setStatus('current') hwbiDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiDescription.setStatus('current') hwbiIdentificationCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 9), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiIdentificationCode.setStatus('current') hwbiInstallableLanguages = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiInstallableLanguages.setStatus('current') hwbiInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiInstallDate.setStatus('current') hwbiLanguageEdition = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 12), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 32))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiLanguageEdition.setStatus('current') hwbiListOfLanguages = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiListOfLanguages.setStatus('current') hwbiManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiManufacturer.setStatus('current') hwbiName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 15), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiName.setStatus('current') hwbiOtherTargetOS = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 16), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiOtherTargetOS.setStatus('current') hwbiPrimaryBIOS = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiPrimaryBIOS.setStatus('current') hwbiReleaseDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 18), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiReleaseDate.setStatus('current') hwbiSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSerialNumber.setStatus('current') hwbiSMBIOSBIOSVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSMBIOSBIOSVersion.setStatus('current') hwbiSMBIOSMajorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 21), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSMBIOSMajorVersion.setStatus('current') hwbiSMBIOSMinorVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 22), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSMBIOSMinorVersion.setStatus('current') hwbiSMBIOSPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSMBIOSPresent.setStatus('current') hwbiSoftwareElementID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSoftwareElementID.setStatus('current') hwbiSoftwareElementState = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("deployable", 0), ("installable", 1), ("executable", 2), ("running", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiSoftwareElementState.setStatus('current') hwbiStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiStatus.setStatus('current') hwbiTargetOperatingSystem = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47, 48, 49, 50, 51, 52, 53, 54, 55, 56, 57, 58, 59, 60, 61))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("macos", 2), ("attunix", 3), ("dgux", 4), ("decnt", 5), ("digitalUnix", 6), ("openVMS", 7), ("hpux", 8), ("aix", 9), ("mvs", 10), ("os400", 11), ("os2", 12), ("javaVM", 13), ("msdos", 14), ("win3x", 15), ("win95", 16), ("win98", 17), ("winnt", 18), ("wince", 19), ("ncr3000", 20), ("netWare", 21), ("osf", 22), ("dcOS", 23), ("reliantUNIX", 24), ("scoUnixWare", 25), ("scoOpenServer", 26), ("sequent", 27), ("irix", 28), ("solaris", 29), ("sunOS", 30), ("u6000", 31), ("aseries", 32), ("tandemNSK", 33), ("tandemNT", 34), ("bs2000", 35), ("linux", 36), ("lynx", 37), ("xenix", 38), ("vmESA", 39), ("interactiveUNIX", 40), ("bsdunix", 41), ("freeBSD", 42), ("netBSD", 43), ("gnuHurd", 44), ("os9", 45), ("machKernel", 46), ("inferno", 47), ("qnx", 48), ("epoc", 49), ("ixWorks", 50), ("vxWorks", 51), ("miNT", 52), ("beOS", 53), ("hpMPE", 54), ("nextStep", 55), ("palmPilot", 56), ("rhapsody", 57), ("windows2000", 58), ("dedicated", 59), ("vse", 60), ("tpf", 61)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiTargetOperatingSystem.setStatus('current') hwbiVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 3, 1, 28), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbiVersion.setStatus('current') win32BusTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4), ) if mibBuilder.loadTexts: win32BusTable.setStatus('current') win32BusEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1), ).setIndexNames((0, "INFORMANT-HW", "hwbuIndex")) if mibBuilder.loadTexts: win32BusEntry.setStatus('current') hwbuIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuIndex.setStatus('current') hwbuAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuAvailability.setStatus('current') hwbuBusNum = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuBusNum.setStatus('current') hwbuBusType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16))).clone(namedValues=NamedValues(("internal", 0), ("isa", 1), ("eisa", 2), ("microChannel", 3), ("turboChannel", 4), ("pciBus", 5), ("vmeBus", 6), ("nuBus", 7), ("pcmciaBus", 8), ("cBus", 9), ("mpiBus", 10), ("mpsaBus", 11), ("internalProcessor", 12), ("internalPowerBus", 13), ("pnpISABus", 14), ("pnpBus", 15), ("maximumInterfaceType", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuBusType.setStatus('current') hwbuCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuCaption.setStatus('current') hwbuConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuConfigManagerErrorCode.setStatus('current') hwbuConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuConfigManagerUserConfig.setStatus('current') hwbuCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 8), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuCreationClassName.setStatus('current') hwbuDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuDescription.setStatus('current') hwbuDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuDeviceID.setStatus('current') hwbuErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuErrorCleared.setStatus('current') hwbuErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuErrorDescription.setStatus('current') hwbuInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuInstallDate.setStatus('current') hwbuLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuLastErrorCode.setStatus('current') hwbuName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuName.setStatus('current') hwbuPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuPNPDeviceID.setStatus('current') hwbuPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuPowerManagementCapabilities.setStatus('current') hwbuPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuPowerManagementSupported.setStatus('current') hwbuStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuStatus.setStatus('current') hwbuStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuStatusInfo.setStatus('current') hwbuSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuSystemCreationClassName.setStatus('current') hwbuSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 4, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbuSystemName.setStatus('current') win32CacheMemoryTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5), ) if mibBuilder.loadTexts: win32CacheMemoryTable.setStatus('current') win32CacheMemoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1), ).setIndexNames((0, "INFORMANT-HW", "hwcmIndex")) if mibBuilder.loadTexts: win32CacheMemoryEntry.setStatus('current') hwcmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmIndex.setStatus('current') hwcmAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 0), ("readable", 1), ("writable", 2), ("readWriteSupported", 3), ("writeOnce", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmAccess.setStatus('current') hwcmAdditionalErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmAdditionalErrorData.setStatus('current') hwcmAssociativity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("directMapped", 3), ("n2waySetAssociative", 4), ("n4waySetAssociative", 5), ("fullyAssociative", 6), ("n8waySetAssociative", 7), ("n16waySetAssociative", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmAssociativity.setStatus('current') hwcmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmAvailability.setStatus('current') hwcmBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmBlockSize.setStatus('current') hwcmCacheSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 7), Gauge32()).setUnits('NanoSeconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCacheSpeed.setStatus('current') hwcmCacheType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("instruction", 3), ("data", 4), ("unified", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCacheType.setStatus('current') hwcmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCaption.setStatus('current') hwcmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmConfigManagerErrorCode.setStatus('current') hwcmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmConfigManagerUserConfig.setStatus('current') hwcmCorrectableError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCorrectableError.setStatus('current') hwcmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 13), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCreationClassName.setStatus('current') hwcmCurrentSRAM = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmCurrentSRAM.setStatus('current') hwcmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmDescription.setStatus('current') hwcmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmDeviceID.setStatus('current') hwcmEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmEndingAddress.setStatus('current') hwcmErrorAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("read", 3), ("write", 4), ("partialWrite", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorAccess.setStatus('current') hwcmErrorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorAddress.setStatus('current') hwcmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorCleared.setStatus('current') hwcmErrorCorrectType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("reserved", 0), ("other", 1), ("unknown", 2), ("none", 3), ("parity", 4), ("singlebitECC", 5), ("multibitECC", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorCorrectType.setStatus('current') hwcmErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorData.setStatus('current') hwcmErrorDataOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("leastSignificantByteFirst", 1), ("mostSignificantByteFirst", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorDataOrder.setStatus('current') hwcmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorDescription.setStatus('current') hwcmErrorInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("ok", 3), ("badRead", 4), ("parityError", 5), ("singleBitError", 6), ("doubleBitError", 7), ("multiBitError", 8), ("nibbleError", 9), ("checksumError", 10), ("crcError", 11)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorInfo.setStatus('current') hwcmErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorMethodology.setStatus('current') hwcmErrorResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorResolution.setStatus('current') hwcmErrorTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 28), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorTime.setStatus('current') hwcmErrorTransferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmErrorTransferSize.setStatus('current') hwcmFlushTimer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmFlushTimer.setStatus('current') hwcmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 31), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmInstallDate.setStatus('current') hwcmInstalledSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 32), Gauge32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmInstalledSize.setStatus('current') hwcmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmLastErrorCode.setStatus('current') hwcmLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("primary", 3), ("secondary", 4), ("tertiary", 5), ("notApplicable", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmLevel.setStatus('current') hwcmLineSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmLineSize.setStatus('current') hwcmLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("internal", 0), ("external", 1), ("reserved", 2), ("unknown", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmLocation.setStatus('current') hwcmMaxCacheSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 37), Gauge32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmMaxCacheSize.setStatus('current') hwcmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 38), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmName.setStatus('current') hwcmNumberOfBlocks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 39), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmNumberOfBlocks.setStatus('current') hwcmOtherErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmOtherErrorDescription.setStatus('current') hwcmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 41), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmPNPDeviceID.setStatus('current') hwcmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 42), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmPowerManagementCapabilities.setStatus('current') hwcmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 43), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmPowerManagementSupported.setStatus('current') hwcmPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmPurpose.setStatus('current') hwcmReadPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("read", 3), ("readAhead", 4), ("readAndReadAhead", 5), ("determinationPerIO", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmReadPolicy.setStatus('current') hwcmReplacementPolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 46), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("leastRecentlyUsed", 3), ("firstInFirstOut", 4), ("lastInFirstOut", 5), ("leastFrequentlyUsed", 6), ("mostFrequentlyUsed", 7), ("osDependentAlgorithms", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmReplacementPolicy.setStatus('current') hwcmStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 47), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmStartingAddress.setStatus('current') hwcmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 48), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmStatus.setStatus('current') hwcmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmStatusInfo.setStatus('current') hwcmSupportedSRAM = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 50), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmSupportedSRAM.setStatus('current') hwcmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 51), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmSystemCreationClassName.setStatus('current') hwcmSystemLevelAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 52), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmSystemLevelAddress.setStatus('current') hwcmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 53), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmSystemName.setStatus('current') hwcmWritePolicy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 5, 1, 54), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("writeBack", 3), ("writeThrough", 4), ("variesWithAddress", 5), ("determinationPerIO", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcmWritePolicy.setStatus('current') win32DeviceMemoryAddressTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6), ) if mibBuilder.loadTexts: win32DeviceMemoryAddressTable.setStatus('current') win32DeviceMemoryAddressEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1), ).setIndexNames((0, "INFORMANT-HW", "hwdaIndex")) if mibBuilder.loadTexts: win32DeviceMemoryAddressEntry.setStatus('current') hwdaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaIndex.setStatus('current') hwdaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaCaption.setStatus('current') hwdaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaCreationClassName.setStatus('current') hwdaCSCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaCSCreationClassName.setStatus('current') hwdaCSName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaCSName.setStatus('current') hwdaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaDescription.setStatus('current') hwdaEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaEndingAddress.setStatus('current') hwdaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaInstallDate.setStatus('current') hwdaMemoryType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("readWrite", 1), ("readOnly", 2), ("writeOnly", 3), ("prefetchable", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaMemoryType.setStatus('current') hwdaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaName.setStatus('current') hwdaStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 11), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaStartingAddress.setStatus('current') hwdaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 6, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdaStatus.setStatus('current') win32DMAChannelTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7), ) if mibBuilder.loadTexts: win32DMAChannelTable.setStatus('current') win32DMAChannelEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1), ).setIndexNames((0, "INFORMANT-HW", "hwdmaIndex")) if mibBuilder.loadTexts: win32DMAChannelEntry.setStatus('current') hwdmaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaIndex.setStatus('current') hwdmaAddressSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaAddressSize.setStatus('current') hwdmaAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("available", 3), ("inUseNotAvailable", 4), ("inUseAndAvailableShareable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaAvailability.setStatus('current') hwdmaBurstMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaBurstMode.setStatus('current') hwdmaByteMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("doesNotExecuteIncountByByteMode", 3), ("executeIncountByByteMode", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaByteMode.setStatus('current') hwdmaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaCaption.setStatus('current') hwdmaChannelTiming = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("isaCompatible", 3), ("typeA", 4), ("typeB", 5), ("typeF", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaChannelTiming.setStatus('current') hwdmaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaCreationClassName.setStatus('current') hwdmaCSCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaCSCreationClassName.setStatus('current') hwdmaCSName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaCSName.setStatus('current') hwdmaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaDescription.setStatus('current') hwdmaDMAChannel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaDMAChannel.setStatus('current') hwdmaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaInstallDate.setStatus('current') hwdmaMaxTransferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaMaxTransferSize.setStatus('current') hwdmaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaName.setStatus('current') hwdmaPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaPort.setStatus('current') hwdmaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaStatus.setStatus('current') hwdmaTransferWidths = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaTransferWidths.setStatus('current') hwdmaTypeCTiming = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("isaCompatible", 3), ("notSupported", 4), ("supported", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaTypeCTiming.setStatus('current') hwdmaWordMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 7, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("doesNotExecuteIncountByWordMode", 3), ("executeIncountByWordMode", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmaWordMode.setStatus('current') win32FloppyControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8), ) if mibBuilder.loadTexts: win32FloppyControllerTable.setStatus('current') win32FloppyControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1), ).setIndexNames((0, "INFORMANT-HW", "hwfcIndex")) if mibBuilder.loadTexts: win32FloppyControllerEntry.setStatus('current') hwfcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcIndex.setStatus('current') hwfcAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcAvailability.setStatus('current') hwfcCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcCaption.setStatus('current') hwfcConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcConfigManagerErrorCode.setStatus('current') hwfcConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcConfigManagerUserConfig.setStatus('current') hwfcCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcCreationClassName.setStatus('current') hwfcDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcDescription.setStatus('current') hwfcDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcDeviceID.setStatus('current') hwfcErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcErrorCleared.setStatus('current') hwfcErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcErrorDescription.setStatus('current') hwfcInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcInstallDate.setStatus('current') hwfcLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcLastErrorCode.setStatus('current') hwfcManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcManufacturer.setStatus('current') hwfcMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcMaxNumberControlled.setStatus('current') hwfcName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcName.setStatus('current') hwfcPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcPNPDeviceID.setStatus('current') hwfcPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcPowerManagementCapabilities.setStatus('current') hwfcPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcPowerManagementSupported.setStatus('current') hwfcProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol2", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASES", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twowayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcProtocolSupported.setStatus('current') hwfcStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcStatus.setStatus('current') hwfcStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcStatusInfo.setStatus('current') hwfcSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcSystemCreationClassName.setStatus('current') hwfcSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcSystemName.setStatus('current') hwfcTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 8, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwfcTimeOfLastReset.setStatus('current') win32IDEControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9), ) if mibBuilder.loadTexts: win32IDEControllerTable.setStatus('current') win32IDEControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1), ).setIndexNames((0, "INFORMANT-HW", "hwideIndex")) if mibBuilder.loadTexts: win32IDEControllerEntry.setStatus('current') hwideIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideIndex.setStatus('current') hwideAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideAvailability.setStatus('current') hwideCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideCaption.setStatus('current') hwideConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideConfigManagerErrorCode.setStatus('current') hwideConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideConfigManagerUserConfig.setStatus('current') hwideCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideCreationClassName.setStatus('current') hwideDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideDescription.setStatus('current') hwideDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideDeviceID.setStatus('current') hwideErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideErrorCleared.setStatus('current') hwideErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideErrorDescription.setStatus('current') hwideInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideInstallDate.setStatus('current') hwideLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideLastErrorCode.setStatus('current') hwideManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideManufacturer.setStatus('current') hwideMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideMaxNumberControlled.setStatus('current') hwideName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideName.setStatus('current') hwidePNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidePNPDeviceID.setStatus('current') hwidePowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidePowerManagementCapabilities.setStatus('current') hwidePowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidePowerManagementSupported.setStatus('current') hwideProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol1394", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASE5", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twowayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideProtocolSupported.setStatus('current') hwideStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideStatus.setStatus('current') hwideStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideStatusInfo.setStatus('current') hwideSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideSystemCreationClassName.setStatus('current') hwideSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideSystemName.setStatus('current') hwideTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 9, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwideTimeOfLastReset.setStatus('current') win32InfraredDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10), ) if mibBuilder.loadTexts: win32InfraredDeviceTable.setStatus('current') win32InfraredDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1), ).setIndexNames((0, "INFORMANT-HW", "hwidIndex")) if mibBuilder.loadTexts: win32InfraredDeviceEntry.setStatus('current') hwidIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidIndex.setStatus('current') hwidAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidAvailability.setStatus('current') hwidCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidCaption.setStatus('current') hwidConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidConfigManagerErrorCode.setStatus('current') hwidConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidConfigManagerUserConfig.setStatus('current') hwidCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidCreationClassName.setStatus('current') hwidDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidDescription.setStatus('current') hwidDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidDeviceID.setStatus('current') hwidErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidErrorCleared.setStatus('current') hwidErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidErrorDescription.setStatus('current') hwidInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidInstallDate.setStatus('current') hwidLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidLastErrorCode.setStatus('current') hwidManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidManufacturer.setStatus('current') hwidMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidMaxNumberControlled.setStatus('current') hwidName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidName.setStatus('current') hwidPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidPNPDeviceID.setStatus('current') hwidPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidPowerManagementCapabilities.setStatus('current') hwidPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidPowerManagementSupported.setStatus('current') hwidProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol1394", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASE5", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twowayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidProtocolSupported.setStatus('current') hwidStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidStatus.setStatus('current') hwidStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidStatusInfo.setStatus('current') hwidSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidSystemCreationClassName.setStatus('current') hwidSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidSystemName.setStatus('current') hwidTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 10, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwidTimeOfLastReset.setStatus('current') win32IRQResourceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11), ) if mibBuilder.loadTexts: win32IRQResourceTable.setStatus('current') win32IRQResourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1), ).setIndexNames((0, "INFORMANT-HW", "hwirqIndex")) if mibBuilder.loadTexts: win32IRQResourceEntry.setStatus('current') hwirqIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqIndex.setStatus('current') hwirqAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 0), ("unknown", 1), ("available", 2), ("inUseNotAvailable", 3), ("inUseAndAvailableShareable", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqAvailability.setStatus('current') hwirqCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqCaption.setStatus('current') hwirqCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqCreationClassName.setStatus('current') hwirqCSCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqCSCreationClassName.setStatus('current') hwirqCSName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqCSName.setStatus('current') hwirqDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqDescription.setStatus('current') hwirqHardware = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqHardware.setStatus('current') hwirqInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 9), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqInstallDate.setStatus('current') hwirqIRQNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqIRQNumber.setStatus('current') hwirqName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqName.setStatus('current') hwirqShareable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqShareable.setStatus('current') hwirqStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqStatus.setStatus('current') hwirqTriggerLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("activeLow", 3), ("activeHigh", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqTriggerLevel.setStatus('current') hwirqTriggerType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("level", 3), ("edge", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqTriggerType.setStatus('current') hwirqVector = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 11, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwirqVector.setStatus('current') win32MemoryArrayTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12), ) if mibBuilder.loadTexts: win32MemoryArrayTable.setStatus('current') win32MemoryArrayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1), ).setIndexNames((0, "INFORMANT-HW", "hwmaIndex")) if mibBuilder.loadTexts: win32MemoryArrayEntry.setStatus('current') hwmaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaIndex.setStatus('current') hwmaAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 0), ("readable", 1), ("writable", 2), ("readWriteSupported", 3), ("writeOnce", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaAccess.setStatus('current') hwmaAdditionalErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaAdditionalErrorData.setStatus('current') hwmaAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaAvailability.setStatus('current') hwmaBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaBlockSize.setStatus('current') hwmaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaCaption.setStatus('current') hwmaConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaConfigManagerErrorCode.setStatus('current') hwmaConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaConfigManagerUserConfig.setStatus('current') hwmaCorrectableError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaCorrectableError.setStatus('current') hwmaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 10), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaCreationClassName.setStatus('current') hwmaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaDescription.setStatus('current') hwmaDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaDeviceID.setStatus('current') hwmaEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaEndingAddress.setStatus('current') hwmaErrorAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("read", 3), ("write", 4), ("partialWrite", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorAccess.setStatus('current') hwmaErrorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorAddress.setStatus('current') hwmaErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorCleared.setStatus('current') hwmaErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorData.setStatus('current') hwmaErrorDataOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("leastSignificantByteFirst", 1), ("mostSignificantByteFirst", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorDataOrder.setStatus('current') hwmaErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorDescription.setStatus('current') hwmaErrorGranularity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("deviceLevel", 3), ("memoryPartitionLevel", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorGranularity.setStatus('current') hwmaErrorInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("ok", 3), ("badRead", 4), ("parityError", 5), ("singleBitError", 6), ("doubleBitError", 7), ("multiBitError", 8), ("nibbleError", 9), ("checksumError", 10), ("crcError", 11), ("correctedSinglebitError", 12), ("correctedError", 13), ("uncorrectableError", 14)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorInfo.setStatus('current') hwmaErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("none", 3), ("parity", 4), ("singleBitECC", 5), ("multiBitECC", 6), ("crc", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorMethodology.setStatus('current') hwmaErrorResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorResolution.setStatus('current') hwmaErrorTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorTime.setStatus('current') hwmaErrorTransferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaErrorTransferSize.setStatus('current') hwmaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 26), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaInstallDate.setStatus('current') hwmaLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaLastErrorCode.setStatus('current') hwmaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaName.setStatus('current') hwmaNumberOfBlocks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaNumberOfBlocks.setStatus('current') hwmaOtherErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaOtherErrorDescription.setStatus('current') hwmaPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaPNPDeviceID.setStatus('current') hwmaPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaPowerManagementCapabilities.setStatus('current') hwmaPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 33), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaPowerManagementSupported.setStatus('current') hwmaPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaPurpose.setStatus('current') hwmaStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaStartingAddress.setStatus('current') hwmaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaStatus.setStatus('current') hwmaStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaStatusInfo.setStatus('current') hwmaSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 38), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaSystemCreationClassName.setStatus('current') hwmaSystemLevelAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 39), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaSystemLevelAddress.setStatus('current') hwmaSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 12, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmaSystemName.setStatus('current') win32MemoryDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13), ) if mibBuilder.loadTexts: win32MemoryDeviceTable.setStatus('current') win32MemoryDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1), ).setIndexNames((0, "INFORMANT-HW", "hwmmIndex")) if mibBuilder.loadTexts: win32MemoryDeviceEntry.setStatus('current') hwmmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmIndex.setStatus('current') hwmmAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 0), ("readable", 1), ("writable", 2), ("readWriteSupported", 3), ("writeOnce", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmAccess.setStatus('current') hwmmAdditionalErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmAdditionalErrorData.setStatus('current') hwmmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmAvailability.setStatus('current') hwmmBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmBlockSize.setStatus('current') hwmmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmCaption.setStatus('current') hwmmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmConfigManagerErrorCode.setStatus('current') hwmmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmConfigManagerUserConfig.setStatus('current') hwmmCorrectableError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmCorrectableError.setStatus('current') hwmmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 10), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmCreationClassName.setStatus('current') hwmmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmDescription.setStatus('current') hwmmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmDeviceID.setStatus('current') hwmmEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmEndingAddress.setStatus('current') hwmmErrorAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("read", 3), ("write", 4), ("partialWrite", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorAccess.setStatus('current') hwmmErrorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorAddress.setStatus('current') hwmmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorCleared.setStatus('current') hwmmErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorData.setStatus('current') hwmmErrorDataOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("leastSignificantByteFirst", 1), ("mostSignificantByteFirst", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorDataOrder.setStatus('current') hwmmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorDescription.setStatus('current') hwmmErrorGranularity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("deviceLevel", 3), ("memoryPartitionLevel", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorGranularity.setStatus('current') hwmmErrorInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("ok", 3), ("badRead", 4), ("parityError", 5), ("singleBitError", 6), ("doubleBitError", 7), ("multiBitError", 8), ("nibbleError", 9), ("checksumError", 10), ("crcError", 11), ("correctedSinglebitError", 12), ("correctedError", 13), ("uncorrectableError", 14)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorInfo.setStatus('current') hwmmErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("name", 3), ("parity", 4), ("singleBitECC", 5), ("multiBitECC", 6), ("crc", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorMethodology.setStatus('current') hwmmErrorResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorResolution.setStatus('current') hwmmErrorTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorTime.setStatus('current') hwmmErrorTransferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmErrorTransferSize.setStatus('current') hwmmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 26), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmInstallDate.setStatus('current') hwmmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmLastErrorCode.setStatus('current') hwmmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmName.setStatus('current') hwmmNumberOfBlocks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmNumberOfBlocks.setStatus('current') hwmmOtherErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmOtherErrorDescription.setStatus('current') hwmmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmPNPDeviceID.setStatus('current') hwmmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmPowerManagementCapabilities.setStatus('current') hwmmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 33), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmPowerManagementSupported.setStatus('current') hwmmPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmPurpose.setStatus('current') hwmmStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmStartingAddress.setStatus('current') hwmmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmStatus.setStatus('current') hwmmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmStatusInfo.setStatus('current') hwmmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 38), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmSystemCreationClassName.setStatus('current') hwmmSystemLevelAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 39), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmSystemLevelAddress.setStatus('current') hwmmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 13, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmmSystemName.setStatus('current') win32MotherboardDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14), ) if mibBuilder.loadTexts: win32MotherboardDeviceTable.setStatus('current') win32MotherboardDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1), ).setIndexNames((0, "INFORMANT-HW", "hwmbIndex")) if mibBuilder.loadTexts: win32MotherboardDeviceEntry.setStatus('current') hwmbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbIndex.setStatus('current') hwmbAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbAvailability.setStatus('current') hwmbCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbCaption.setStatus('current') hwmbConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbConfigManagerErrorCode.setStatus('current') hwmbConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbConfigManagerUserConfig.setStatus('current') hwmbCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbCreationClassName.setStatus('current') hwmbDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbDescription.setStatus('current') hwmbDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbDeviceID.setStatus('current') hwmbErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbErrorCleared.setStatus('current') hwmbErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbErrorDescription.setStatus('current') hwmbInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbInstallDate.setStatus('current') hwmbLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbLastErrorCode.setStatus('current') hwmbName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbName.setStatus('current') hwmbPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbPNPDeviceID.setStatus('current') hwmbPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbPowerManagementCapabilities.setStatus('current') hwmbPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbPowerManagementSupported.setStatus('current') hwmbPrimaryBusType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbPrimaryBusType.setStatus('current') hwmbRevisionNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbRevisionNumber.setStatus('current') hwmbSecondaryBusType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbSecondaryBusType.setStatus('current') hwmbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbStatus.setStatus('current') hwmbStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbStatusInfo.setStatus('current') hwmbSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbSystemCreationClassName.setStatus('current') hwmbSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 14, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwmbSystemName.setStatus('current') win32OnBoardDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15), ) if mibBuilder.loadTexts: win32OnBoardDeviceTable.setStatus('current') win32OnBoardDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1), ).setIndexNames((0, "INFORMANT-HW", "hwobIndex")) if mibBuilder.loadTexts: win32OnBoardDeviceEntry.setStatus('current') hwobIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobIndex.setStatus('current') hwobCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobCaption.setStatus('current') hwobCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobCreationClassName.setStatus('current') hwobDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobDescription.setStatus('current') hwobDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("video", 3), ("scsiController", 4), ("ethernet", 5), ("tokenRing", 6), ("sound", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobDeviceType.setStatus('current') hwobEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobEnabled.setStatus('current') hwobHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobHotSwappable.setStatus('current') hwobInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobInstallDate.setStatus('current') hwobManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobManufacturer.setStatus('current') hwobModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobModel.setStatus('current') hwobName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobName.setStatus('current') hwobOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobOtherIdentifyingInfo.setStatus('current') hwobPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobPartNumber.setStatus('current') hwobPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobPoweredOn.setStatus('current') hwobRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobRemovable.setStatus('current') hwobReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobReplaceable.setStatus('current') hwobSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobSerialNumber.setStatus('current') hwobSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobSKU.setStatus('current') hwobStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobStatus.setStatus('current') hwobTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 20), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobTag.setStatus('current') hwobVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 15, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwobVersion.setStatus('current') win32ParallelPortTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16), ) if mibBuilder.loadTexts: win32ParallelPortTable.setStatus('current') win32ParallelPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1), ).setIndexNames((0, "INFORMANT-HW", "hwppIndex")) if mibBuilder.loadTexts: win32ParallelPortEntry.setStatus('current') hwppIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppIndex.setStatus('current') hwppAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppAvailability.setStatus('current') hwppCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppCapabilities.setStatus('current') hwppCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppCapabilityDescriptions.setStatus('current') hwppCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppCaption.setStatus('current') hwppConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppConfigManagerErrorCode.setStatus('current') hwppConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppConfigManagerUserConfig.setStatus('current') hwppCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppCreationClassName.setStatus('current') hwppDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppDescription.setStatus('current') hwppDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppDeviceID.setStatus('current') hwppDMASupport = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppDMASupport.setStatus('current') hwppErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppErrorCleared.setStatus('current') hwppErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppErrorDescription.setStatus('current') hwppInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 14), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppInstallDate.setStatus('current') hwppLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppLastErrorCode.setStatus('current') hwppMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppMaxNumberControlled.setStatus('current') hwppName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppName.setStatus('current') hwppOSAutoDiscovered = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppOSAutoDiscovered.setStatus('current') hwppPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppPNPDeviceID.setStatus('current') hwppPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppPowerManagementCapabilities.setStatus('current') hwppPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppPowerManagementSupported.setStatus('current') hwppProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol1394", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASES", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twowayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppProtocolSupported.setStatus('current') hwppStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppStatus.setStatus('current') hwppStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppStatusInfo.setStatus('current') hwppSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppSystemCreationClassName.setStatus('current') hwppSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppSystemName.setStatus('current') hwppTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 16, 1, 27), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwppTimeOfLastReset.setStatus('current') win32PCMCIAControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17), ) if mibBuilder.loadTexts: win32PCMCIAControllerTable.setStatus('current') win32PCMCIAControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpcmIndex")) if mibBuilder.loadTexts: win32PCMCIAControllerEntry.setStatus('current') hwpcmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmIndex.setStatus('current') hwpcmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmAvailability.setStatus('current') hwpcmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmCaption.setStatus('current') hwpcmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmConfigManagerErrorCode.setStatus('current') hwpcmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmConfigManagerUserConfig.setStatus('current') hwpcmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmCreationClassName.setStatus('current') hwpcmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmDescription.setStatus('current') hwpcmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmDeviceID.setStatus('current') hwpcmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmErrorCleared.setStatus('current') hwpcmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmErrorDescription.setStatus('current') hwpcmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmInstallDate.setStatus('current') hwpcmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmLastErrorCode.setStatus('current') hwpcmManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmManufacturer.setStatus('current') hwpcmMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmMaxNumberControlled.setStatus('current') hwpcmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmName.setStatus('current') hwpcmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmPNPDeviceID.setStatus('current') hwpcmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmPowerManagementCapabilities.setStatus('current') hwpcmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmPowerManagementSupported.setStatus('current') hwpcmProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("eisa", 3), ("isa", 4), ("pci", 5), ("ataATAPI", 6), ("flexibleDiskette", 7), ("n1496", 8), ("scsiParallelInterface", 9), ("scsiFibreChannelProtocol", 10), ("scsiSerialBusProtocol", 11), ("scsiSerialBusProtocol1394", 12), ("scsiSerialStorageArchitecture", 13), ("vesa", 14), ("pcmcia", 15), ("universalSerialBus", 16), ("parallelProtocol", 17), ("escon", 18), ("diagnostic", 19), ("i2C", 20), ("power", 21), ("hippi", 22), ("multiBus", 23), ("vme", 24), ("ipi", 25), ("ieee488", 26), ("rs232", 27), ("ieee802310BASE5", 28), ("ieee802310BASE2", 29), ("ieee80231BASE5", 30), ("ieee802310BROAD36", 31), ("ieee8023100BASEVG", 32), ("ieee8025TokenRing", 33), ("ansiX3T95FDDI", 34), ("mca", 35), ("esdi", 36), ("ide", 37), ("cmd", 38), ("st506", 39), ("dssi", 40), ("qic2", 41), ("enhancedATAIDE", 42), ("agp", 43), ("twoWayInfrared", 44), ("fastInfrared", 45), ("serialInfrared", 46), ("irBus", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmProtocolSupported.setStatus('current') hwpcmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmStatus.setStatus('current') hwpcmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmStatusInfo.setStatus('current') hwpcmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmSystemCreationClassName.setStatus('current') hwpcmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmSystemName.setStatus('current') hwpcmTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 17, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcmTimeOfLastReset.setStatus('current') win32PhysicalMemoryTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18), ) if mibBuilder.loadTexts: win32PhysicalMemoryTable.setStatus('current') win32PhysicalMemoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpmmIndex")) if mibBuilder.loadTexts: win32PhysicalMemoryEntry.setStatus('current') hwpmmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmIndex.setStatus('current') hwpmmBankLabel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmBankLabel.setStatus('current') hwpmmCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmCapacity.setStatus('current') hwpmmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmCaption.setStatus('current') hwpmmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 5), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmCreationClassName.setStatus('current') hwpmmDataWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmDataWidth.setStatus('current') hwpmmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmDescription.setStatus('current') hwpmmDeviceLocator = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmDeviceLocator.setStatus('current') hwpmmFormFactor = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("sip", 2), ("dip", 3), ("zip", 4), ("soj", 5), ("proprietary", 6), ("simm", 7), ("dimm", 8), ("tsop", 9), ("pga", 10), ("rimm", 11), ("sodimm", 12), ("srimm", 13), ("smd", 14), ("ssmp", 15), ("qfp", 16), ("tqfp", 17), ("soic", 18), ("lcc", 19), ("plcc", 20), ("bga", 21), ("fpbga", 22), ("lga", 23)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmFormFactor.setStatus('current') hwpmmHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmHotSwappable.setStatus('current') hwpmmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmInstallDate.setStatus('current') hwpmmInterleaveDataDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmInterleaveDataDepth.setStatus('current') hwpmmInterleavePosition = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("noninterleaved", 0), ("firstPosition", 1), ("secondPosition", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmInterleavePosition.setStatus('current') hwpmmManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmManufacturer.setStatus('current') hwpmmMemoryType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("dram", 2), ("synchronousDRAM", 3), ("cacheDRAM", 4), ("edo", 5), ("edram", 6), ("vram", 7), ("sram", 8), ("ram", 9), ("rom", 10), ("flash", 11), ("eeprom", 12), ("feprom", 13), ("eprom", 14), ("cdram", 15), ("n3DRAM", 16), ("sdram", 17), ("sgram", 18), ("rdram", 19), ("ddr", 20)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmMemoryType.setStatus('current') hwpmmModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmModel.setStatus('current') hwpmmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmName.setStatus('current') hwpmmOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmOtherIdentifyingInfo.setStatus('current') hwpmmPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmPartNumber.setStatus('current') hwpmmPositionInRow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmPositionInRow.setStatus('current') hwpmmPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmPoweredOn.setStatus('current') hwpmmRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmRemovable.setStatus('current') hwpmmReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmReplaceable.setStatus('current') hwpmmSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmSerialNumber.setStatus('current') hwpmmSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmSKU.setStatus('current') hwpmmSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmSpeed.setStatus('current') hwpmmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmStatus.setStatus('current') hwpmmTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 28), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmTag.setStatus('current') hwpmmTotalWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmTotalWidth.setStatus('current') hwpmmTypeDetail = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16, 32, 64, 128, 256, 512, 1024, 2048, 4096))).clone(namedValues=NamedValues(("reserved", 1), ("other", 2), ("unknown", 4), ("fastpaged", 8), ("staticColumn", 16), ("pseudostatic", 32), ("rambus", 64), ("synchronous", 128), ("cmos", 256), ("edo", 512), ("windowDRAM", 1024), ("cacheDRAM", 2048), ("nonvolatile", 4096)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmTypeDetail.setStatus('current') hwpmmVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 18, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmmVersion.setStatus('current') win32PhysicalMemoryArrayTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19), ) if mibBuilder.loadTexts: win32PhysicalMemoryArrayTable.setStatus('current') win32PhysicalMemoryArrayEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpmaIndex")) if mibBuilder.loadTexts: win32PhysicalMemoryArrayEntry.setStatus('current') hwpmaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaIndex.setStatus('current') hwpmaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaCaption.setStatus('current') hwpmaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaCreationClassName.setStatus('current') hwpmaDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 4), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaDepth.setStatus('current') hwpmaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaDescription.setStatus('current') hwpmaHeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 6), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaHeight.setStatus('current') hwpmaHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaHotSwappable.setStatus('current') hwpmaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaInstallDate.setStatus('current') hwpmaLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("reserved", 0), ("other", 1), ("unknown", 2), ("systemBoardOrMotherboard", 3), ("isaAddonCard", 4), ("eisaAddonCard", 5), ("pciAddonCard", 6), ("mcaAddonCard", 7), ("pcmciaAddonCard", 8), ("proprietaryAddonCard", 9), ("nuBus", 10), ("pc98C20AddonCard", 11), ("pc98C24AddonCard", 12), ("pc98EAddonCard", 13), ("pc98LocalBusAddonCard", 14)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaLocation.setStatus('current') hwpmaManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaManufacturer.setStatus('current') hwpmaMaxCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 11), Gauge32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaMaxCapacity.setStatus('current') hwpmaMemoryDevices = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaMemoryDevices.setStatus('current') hwpmaMemoryErrorCorrection = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("reserved", 0), ("other", 1), ("unknown", 2), ("none", 3), ("parity", 4), ("singlebitECC", 5), ("multibitECC", 6), ("crc", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaMemoryErrorCorrection.setStatus('current') hwpmaModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaModel.setStatus('current') hwpmaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaName.setStatus('current') hwpmaOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaOtherIdentifyingInfo.setStatus('current') hwpmaPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaPartNumber.setStatus('current') hwpmaPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaPoweredOn.setStatus('current') hwpmaRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 19), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaRemovable.setStatus('current') hwpmaReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaReplaceable.setStatus('current') hwpmaSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaSerialNumber.setStatus('current') hwpmaSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaSKU.setStatus('current') hwpmaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaStatus.setStatus('current') hwpmaTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 24), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaTag.setStatus('current') hwpmaUse = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("reserved", 0), ("other", 1), ("unknown", 2), ("systemMemory", 3), ("videoMemory", 4), ("flashMemory", 5), ("nonvolatileRAM", 6), ("cacheMemory", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaUse.setStatus('current') hwpmaVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaVersion.setStatus('current') hwpmaWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 27), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaWeight.setStatus('current') hwpmaWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 19, 1, 28), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmaWidth.setStatus('current') win32PnPEntityTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20), ) if mibBuilder.loadTexts: win32PnPEntityTable.setStatus('current') win32PnPEntityEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpnpIndex")) if mibBuilder.loadTexts: win32PnPEntityEntry.setStatus('current') hwpnpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpIndex.setStatus('current') hwpnpAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpAvailability.setStatus('current') hwpnpCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpCaption.setStatus('current') hwpnpClassGuid = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpClassGuid.setStatus('current') hwpnpConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpConfigManagerErrorCode.setStatus('current') hwpnpConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpConfigManagerUserConfig.setStatus('current') hwpnpCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpCreationClassName.setStatus('current') hwpnpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpDescription.setStatus('current') hwpnpDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpDeviceID.setStatus('current') hwpnpErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpErrorCleared.setStatus('current') hwpnpErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpErrorDescription.setStatus('current') hwpnpInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 12), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpInstallDate.setStatus('current') hwpnpLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpLastErrorCode.setStatus('current') hwpnpManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpManufacturer.setStatus('current') hwpnpName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpName.setStatus('current') hwpnpPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpPNPDeviceID.setStatus('current') hwpnpPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpPowerManagementCapabilities.setStatus('current') hwpnpPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpPowerManagementSupported.setStatus('current') hwpnpService = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpService.setStatus('current') hwpnpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpStatus.setStatus('current') hwpnpStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpStatusInfo.setStatus('current') hwpnpSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpSystemCreationClassName.setStatus('current') hwpnpSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 20, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpnpSystemName.setStatus('current') win32PnPSignedDriverTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21), ) if mibBuilder.loadTexts: win32PnPSignedDriverTable.setStatus('current') win32PnPSignedDriverEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpsdIndex")) if mibBuilder.loadTexts: win32PnPSignedDriverEntry.setStatus('current') hwpsdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdIndex.setStatus('current') hwpsdClassGuid = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdClassGuid.setStatus('current') hwpsdCompatID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdCompatID.setStatus('current') hwpsdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDescription.setStatus('current') hwpsdDeviceClass = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDeviceClass.setStatus('current') hwpsdDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDeviceID.setStatus('current') hwpsdDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDeviceName.setStatus('current') hwpsdDevLoader = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDevLoader.setStatus('current') hwpsdDriverDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDriverDate.setStatus('current') hwpsdDriverName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDriverName.setStatus('current') hwpsdDriverVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdDriverVersion.setStatus('current') hwpsdFriendlyName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdFriendlyName.setStatus('current') hwpsdHardWareID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdHardWareID.setStatus('current') hwpsdInfName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdInfName.setStatus('current') hwpsdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 15), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdInstallDate.setStatus('current') hwpsdIsSigned = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdIsSigned.setStatus('current') hwpsdLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdLocation.setStatus('current') hwpsdManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdManufacturer.setStatus('current') hwpsdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdName.setStatus('current') hwpsdPDO = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdPDO.setStatus('current') hwpsdProviderName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdProviderName.setStatus('current') hwpsdSigner = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdSigner.setStatus('current') hwpsdStarted = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdStarted.setStatus('current') hwpsdStartMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdStartMode.setStatus('current') hwpsdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdStatus.setStatus('current') hwpsdSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdSystemCreationClassName.setStatus('current') hwpsdSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 21, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpsdSystemName.setStatus('current') win32PortConnectorTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22), ) if mibBuilder.loadTexts: win32PortConnectorTable.setStatus('current') win32PortConnectorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpcIndex")) if mibBuilder.loadTexts: win32PortConnectorEntry.setStatus('current') hwpcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcIndex.setStatus('current') hwpcCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcCaption.setStatus('current') hwpcConnectorPinout = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcConnectorPinout.setStatus('current') hwpcConnectorType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcConnectorType.setStatus('current') hwpcCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcCreationClassName.setStatus('current') hwpcDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcDescription.setStatus('current') hwpcExternalReferenceDesignator = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcExternalReferenceDesignator.setStatus('current') hwpcInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcInstallDate.setStatus('current') hwpcInternalReferenceDesignator = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcInternalReferenceDesignator.setStatus('current') hwpcManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcManufacturer.setStatus('current') hwpcModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcModel.setStatus('current') hwpcName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcName.setStatus('current') hwpcOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcOtherIdentifyingInfo.setStatus('current') hwpcPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcPartNumber.setStatus('current') hwpcPortType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("none", 0), ("parallelPortXTATCompatible", 1), ("parallelPortPS2", 2), ("parallelPortECP", 3), ("parallelPortEPP", 4), ("parallelPortECPEPP", 5), ("serialPortXTATCompatible", 6), ("serialPort16450Compatible", 7), ("serialPort16550Compatible", 8), ("serialPort16550ACompatible", 9), ("scsiPort", 10), ("midiPort", 11), ("joyStickPort", 12), ("keyboardPort", 13), ("mousePort", 14), ("ssaSCSI", 15), ("usb", 16), ("fireWire", 17), ("pcmciaTypeII", 18), ("pcmciaTypeII2", 19), ("cardbus", 20), ("accessBusPort", 21), ("scsiII", 22), ("scsiWide", 23), ("pc98", 24), ("pc98Hireso", 25), ("pcH98", 26), ("audioPort", 27), ("modemPort", 28), ("networkPort", 29), ("n8251Compatible", 30), ("n8251FIFOCompatible", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcPortType.setStatus('current') hwpcPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcPoweredOn.setStatus('current') hwpcSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcSerialNumber.setStatus('current') hwpcSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcSKU.setStatus('current') hwpcStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcStatus.setStatus('current') hwpcTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 20), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcTag.setStatus('current') hwpcVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 22, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpcVersion.setStatus('current') win32PortResourceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23), ) if mibBuilder.loadTexts: win32PortResourceTable.setStatus('current') win32PortResourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpreIndex")) if mibBuilder.loadTexts: win32PortResourceEntry.setStatus('current') hwpreIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreIndex.setStatus('current') hwpreAlias = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreAlias.setStatus('current') hwpreCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreCaption.setStatus('current') hwpreCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreCreationClassName.setStatus('current') hwpreCSCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreCSCreationClassName.setStatus('current') hwpreCSName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreCSName.setStatus('current') hwpreDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreDescription.setStatus('current') hwpreEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 8), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreEndingAddress.setStatus('current') hwpreInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 9), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreInstallDate.setStatus('current') hwpreName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreName.setStatus('current') hwpreStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 11), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreStartingAddress.setStatus('current') hwpreStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 23, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpreStatus.setStatus('current') win32ProcessorTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24), ) if mibBuilder.loadTexts: win32ProcessorTable.setStatus('current') win32ProcessorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1), ).setIndexNames((0, "INFORMANT-HW", "hwcpuIndex")) if mibBuilder.loadTexts: win32ProcessorEntry.setStatus('current') hwcpuIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuIndex.setStatus('current') hwcpuAddressWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 2), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuAddressWidth.setStatus('current') hwcpuArchitecture = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 6))).clone(namedValues=NamedValues(("x86", 0), ("mips", 1), ("alpha", 2), ("powerPC", 3), ("ia64", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuArchitecture.setStatus('current') hwcpuAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningOrFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuAvailability.setStatus('current') hwcpuCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuCaption.setStatus('current') hwcpuConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuConfigManagerErrorCode.setStatus('current') hwcpuConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuConfigManagerUserConfig.setStatus('current') hwcpuCpuStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("unknown", 0), ("cpuEnabled", 1), ("cpuDisabledByUserViaBIOSSetup", 2), ("cpuDisabledByBIOS", 3), ("cpuIsIdle", 4), ("reserved", 5), ("reserved2", 6), ("other", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuCpuStatus.setStatus('current') hwcpuCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 9), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuCreationClassName.setStatus('current') hwcpuCurrentClockSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 10), Gauge32()).setUnits('MegaHertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuCurrentClockSpeed.setStatus('current') hwcpuCurrentVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 11), Integer32()).setUnits('tenth-Volts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuCurrentVoltage.setStatus('current') hwcpuDataWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuDataWidth.setStatus('current') hwcpuDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuDescription.setStatus('current') hwcpuDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuDeviceID.setStatus('current') hwcpuErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuErrorCleared.setStatus('current') hwcpuErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuErrorDescription.setStatus('current') hwcpuExtClock = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 17), Gauge32()).setUnits('MegaHertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuExtClock.setStatus('current') hwcpuFamily = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 48, 49, 50, 51, 52, 53, 54, 55, 64, 65, 66, 67, 68, 69, 80, 81, 82, 83, 84, 85, 86, 87, 88, 96, 97, 98, 99, 100, 101, 112, 120, 121, 128, 130, 144, 145, 146, 147, 148, 149, 150, 160, 176, 177, 178, 179, 180, 181, 182, 183, 184, 185, 190, 200, 201, 202, 250, 251, 260, 261, 280, 281, 300, 301, 302, 320, 350, 500))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("n8086", 3), ("n80286", 4), ("n80386", 5), ("n80486", 6), ("n8087", 7), ("n80287", 8), ("n80387", 9), ("n80487", 10), ("pentiumBrand", 11), ("pentiumPro", 12), ("pentiumII", 13), ("pentiumProcessorMMX", 14), ("celeron", 15), ("pentiumIIXeon", 16), ("pentiumIII", 17), ("m1Family", 18), ("m2Family", 19), ("k5Family", 24), ("k6Family", 25), ("k62", 26), ("k63", 27), ("amdAthlonProcessorFamily", 28), ("amdDuronProcessor", 29), ("amd2900Family", 30), ("k62plus", 31), ("powerPCFamily", 32), ("powerPC601", 33), ("powerPC603", 34), ("powerPC603plus", 35), ("powerPC604", 36), ("powerPC620", 37), ("powerPCX704", 38), ("powerPC750", 39), ("alphaFamily", 48), ("alpha21064", 49), ("alpha21066", 50), ("alpha21164", 51), ("alpha21164PC", 52), ("alpha21164a", 53), ("alpha21264", 54), ("alpha21364", 55), ("mipsFamily", 64), ("mipsR4000", 65), ("mipsR4200", 66), ("mipsR4400", 67), ("mipsR4600", 68), ("mipsR10000", 69), ("sparcFamily", 80), ("superSPARC", 81), ("microSPARCII", 82), ("microSPARCIIep", 83), ("ultraSPARC", 84), ("ultraSPARCII", 85), ("ultraSPARCIIi", 86), ("ultraSPARCIII", 87), ("ultraSPARCIIIi", 88), ("n68040", 96), ("n68xxxFamily", 97), ("n68000", 98), ("n68010", 99), ("n68020", 100), ("n68030", 101), ("hobbitFamily", 112), ("crusoeTM5000Family", 120), ("crusoeTM3000Family", 121), ("weitek", 128), ("itaniumProcessor", 130), ("paRISCFamily", 144), ("paRISC8500", 145), ("paRISC8000", 146), ("paRISC7300LC", 147), ("paRISC7200", 148), ("paRISC7100LC", 149), ("paRISC7100", 150), ("v30Family", 160), ("pentiumIIIXeon", 176), ("pentiumIIIProcessorSpeedStep", 177), ("pentium4", 178), ("intelXeon", 179), ("as400Family", 180), ("intelXeonProcessorMP", 181), ("amdAthlonXPFamily", 182), ("amdAthlonMPFamily", 183), ("intelItanium2", 184), ("amdOpteronFamily", 185), ("k7", 190), ("ibm390Family", 200), ("g4", 201), ("g5", 202), ("i860", 250), ("i960", 251), ("sh3", 260), ("sh4", 261), ("arm", 280), ("strongARM", 281), ("n6x86", 300), ("mediaGX", 301), ("mii", 302), ("winChip", 320), ("dsp", 350), ("videoProcessor", 500)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuFamily.setStatus('current') hwcpuInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 19), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuInstallDate.setStatus('current') hwcpuL2CacheSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 20), Gauge32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuL2CacheSize.setStatus('current') hwcpuL2CacheSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 21), Gauge32()).setUnits('MegaHertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuL2CacheSpeed.setStatus('current') hwcpuLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuLastErrorCode.setStatus('current') hwcpuLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 23), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuLevel.setStatus('current') hwcpuLoadPercentage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 24), Integer32()).setUnits('Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuLoadPercentage.setStatus('current') hwcpuManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuManufacturer.setStatus('current') hwcpuMaxClockSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 26), Gauge32()).setUnits('MegaHertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuMaxClockSpeed.setStatus('current') hwcpuName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuName.setStatus('current') hwcpuOtherFamilyDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 28), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuOtherFamilyDescription.setStatus('current') hwcpuPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuPNPDeviceID.setStatus('current') hwcpuPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuPowerManagementCapabilities.setStatus('current') hwcpuPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 31), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuPowerManagementSupported.setStatus('current') hwcpuProcessorId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuProcessorId.setStatus('current') hwcpuProcessorType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 33), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("centralProcessor", 3), ("mathProcessor", 4), ("dspProcessor", 5), ("videoProcessor", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuProcessorType.setStatus('current') hwcpuRevision = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 34), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuRevision.setStatus('current') hwcpuRole = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 35), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuRole.setStatus('current') hwcpuSocketDesignation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 36), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuSocketDesignation.setStatus('current') hwcpuStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuStatus.setStatus('current') hwcpuStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuStatusInfo.setStatus('current') hwcpuStepping = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 39), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuStepping.setStatus('current') hwcpuSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuSystemCreationClassName.setStatus('current') hwcpuSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 41), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuSystemName.setStatus('current') hwcpuUniqueId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 42), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuUniqueId.setStatus('current') hwcpuUpgradeMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("daughterBoard", 3), ("zifSocket", 4), ("replacementPiggyBack", 5), ("none", 6), ("lifSocket", 7), ("slot1", 8), ("slot2", 9), ("n370PinSocket", 10), ("slotA", 11), ("slotM", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuUpgradeMethod.setStatus('current') hwcpuVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuVersion.setStatus('current') hwcpuVoltageCaps = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 45), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4))).clone(namedValues=NamedValues(("n5", 1), ("n33", 2), ("n29", 4)))).setUnits('Volts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuVoltageCaps.setStatus('current') hwcpuL3CacheSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 46), Gauge32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuL3CacheSize.setStatus('current') hwcpuL3CacheSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 47), Gauge32()).setUnits('MegaHertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuL3CacheSpeed.setStatus('current') hwcpuNumberOfCores = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 48), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuNumberOfCores.setStatus('current') hwcpuNumberOfLogicalProcessors = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 24, 1, 49), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpuNumberOfLogicalProcessors.setStatus('current') win32SCSIControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25), ) if mibBuilder.loadTexts: win32SCSIControllerTable.setStatus('current') win32SCSIControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1), ).setIndexNames((0, "INFORMANT-HW", "hwscsiIndex")) if mibBuilder.loadTexts: win32SCSIControllerEntry.setStatus('current') hwscsiIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiIndex.setStatus('current') hwscsiAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiAvailability.setStatus('current') hwscsiCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiCaption.setStatus('current') hwscsiConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiConfigManagerErrorCode.setStatus('current') hwscsiConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiConfigManagerUserConfig.setStatus('current') hwscsiControllerTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiControllerTimeouts.setStatus('current') hwscsiCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiCreationClassName.setStatus('current') hwscsiDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiDescription.setStatus('current') hwscsiDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiDeviceID.setStatus('current') hwscsiDeviceMap = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiDeviceMap.setStatus('current') hwscsiDriverName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiDriverName.setStatus('current') hwscsiErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiErrorCleared.setStatus('current') hwscsiErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiErrorDescription.setStatus('current') hwscsiHardwareVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiHardwareVersion.setStatus('current') hwscsiRegistryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiRegistryIndex.setStatus('current') hwscsiInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 16), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiInstallDate.setStatus('current') hwscsiLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiLastErrorCode.setStatus('current') hwscsiManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiManufacturer.setStatus('current') hwscsiMaxDataWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiMaxDataWidth.setStatus('current') hwscsiMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiMaxNumberControlled.setStatus('current') hwscsiMaxTransferRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 21), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiMaxTransferRate.setStatus('current') hwscsiName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiName.setStatus('current') hwscsiPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiPNPDeviceID.setStatus('current') hwscsiPowerManagementCapability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiPowerManagementCapability.setStatus('current') hwscsiPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiPowerManagementSupported.setStatus('current') hwscsiProtectionManagement = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("unprotected", 3), ("protected", 4), ("protectedThroughSCC", 5), ("protectedThroughSCC2", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiProtectionManagement.setStatus('current') hwscsiProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46))).clone(namedValues=NamedValues(("other", 0), ("unknown", 1), ("eisa", 2), ("isa", 3), ("pci", 4), ("ataATAPI", 5), ("flexibleDiskette", 6), ("n1496", 7), ("scsiParallelInterface", 8), ("scsiFibreChannelProtocol", 9), ("scsiSerialBusProtocol", 10), ("scsiSerialBusProtocol1394", 11), ("scsiSerialStorageArchitecture", 12), ("vesa", 13), ("pcmcia", 14), ("universalSerialBus", 15), ("parallelProtocol", 16), ("escon", 17), ("diagnostic", 18), ("i2C", 19), ("power", 20), ("hippi", 21), ("multiBus", 22), ("vme", 23), ("ipi", 24), ("ieee488", 25), ("rs232", 26), ("ieee802310BASE5", 27), ("ieee802310BASE2", 28), ("ieee80231BASE5", 29), ("ieee802310BROAD36", 30), ("ieee8023100BASEVG", 31), ("ieee8025TokenRing", 32), ("ansiX3T95FDDI", 33), ("mca", 34), ("esdi", 35), ("ide", 36), ("cmd", 37), ("st506", 38), ("dssi", 39), ("qic2", 40), ("enhancedATAIDE", 41), ("agp", 42), ("twowayInfrared", 43), ("fastInfrared", 44), ("serialInfrared", 45), ("irBus", 46)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiProtocolSupported.setStatus('current') hwscsiStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 28), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiStatus.setStatus('current') hwscsiStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiStatusInfo.setStatus('current') hwscsiSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiSystemCreationClassName.setStatus('current') hwscsiSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiSystemName.setStatus('current') hwscsiTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 25, 1, 32), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwscsiTimeOfLastReset.setStatus('current') win32SerialPortTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26), ) if mibBuilder.loadTexts: win32SerialPortTable.setStatus('current') win32SerialPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1), ).setIndexNames((0, "INFORMANT-HW", "hwspIndex")) if mibBuilder.loadTexts: win32SerialPortEntry.setStatus('current') hwspIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspIndex.setStatus('current') hwspAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspAvailability.setStatus('current') hwspBinary = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 3), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspBinary.setStatus('current') hwspCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspCapabilities.setStatus('current') hwspCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspCapabilityDescriptions.setStatus('current') hwspCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspCaption.setStatus('current') hwspConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspConfigManagerErrorCode.setStatus('current') hwspConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspConfigManagerUserConfig.setStatus('current') hwspCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspCreationClassName.setStatus('current') hwspDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspDescription.setStatus('current') hwspDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspDeviceID.setStatus('current') hwspErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspErrorCleared.setStatus('current') hwspErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspErrorDescription.setStatus('current') hwspInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 14), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspInstallDate.setStatus('current') hwspLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspLastErrorCode.setStatus('current') hwspMaxBaudRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 16), Gauge32()).setUnits('Bits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: hwspMaxBaudRate.setStatus('current') hwspMaximumInputBufferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 17), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwspMaximumInputBufferSize.setStatus('current') hwspMaximumOutputBufferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 18), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwspMaximumOutputBufferSize.setStatus('current') hwspMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspMaxNumberControlled.setStatus('current') hwspName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspName.setStatus('current') hwspOSAutoDiscovered = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspOSAutoDiscovered.setStatus('current') hwspPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspPNPDeviceID.setStatus('current') hwspPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspPowerManagementCapabilities.setStatus('current') hwspPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 24), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspPowerManagementSupported.setStatus('current') hwspProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46))).clone(namedValues=NamedValues(("other", 0), ("unknown", 1), ("eisa", 2), ("isa", 3), ("pci", 4), ("ataATAPI", 5), ("flexibleDiskette", 6), ("n1496", 7), ("scsiParallelInterface", 8), ("scsiFibreChannelProtocol", 9), ("scsiSerialBusProtocol", 10), ("scsiSerialBusProtocol1394", 11), ("scsiSerialStorageArchitecture", 12), ("vesa", 13), ("pcmcia", 14), ("universalSerialBus", 15), ("parallelProtocol", 16), ("escon", 17), ("diagnostic", 18), ("i2C", 19), ("power", 20), ("hippi", 21), ("multiBus", 22), ("vme", 23), ("ipi", 24), ("ieee488", 25), ("rs232", 26), ("ieee802310BASE5", 27), ("ieee802310BASE2", 28), ("ieee80231BASE5", 29), ("ieee802310BROAD36", 30), ("ieee8023100BASEVG", 31), ("ieee8025TokenRing", 32), ("ansiX3T95FDDI", 33), ("mca", 34), ("esdi", 35), ("ide", 36), ("cmd", 37), ("st506", 38), ("dssi", 39), ("qic2", 40), ("enhancedATAIDE", 41), ("agp", 42), ("twowayInfrared", 43), ("fastInfrared", 44), ("serialInfrared", 45), ("irBus", 46)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspProtocolSupported.setStatus('current') hwspProviderType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspProviderType.setStatus('current') hwspSettableBaudRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableBaudRate.setStatus('current') hwspSettableDataBits = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 28), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableDataBits.setStatus('current') hwspSettableFlowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 29), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableFlowControl.setStatus('current') hwspSettableParity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 30), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableParity.setStatus('current') hwspSettableParityCheck = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 31), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableParityCheck.setStatus('current') hwspSettableRLSD = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 32), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableRLSD.setStatus('current') hwspSettableStopBits = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 33), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSettableStopBits.setStatus('current') hwspStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspStatus.setStatus('current') hwspStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspStatusInfo.setStatus('current') hwspSupports16BitMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupports16BitMode.setStatus('current') hwspSupportsDTRDSR = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 37), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsDTRDSR.setStatus('current') hwspSupportsElapsedTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 38), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsElapsedTimeouts.setStatus('current') hwspSupportsIntTimeouts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 39), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsIntTimeouts.setStatus('current') hwspSupportsParityCheck = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 40), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsParityCheck.setStatus('current') hwspSupportsRLSD = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 41), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsRLSD.setStatus('current') hwspSupportsRTSCTS = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 42), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsRTSCTS.setStatus('current') hwspSupportsSpecialCharacters = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 43), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsSpecialCharacters.setStatus('current') hwspSupportsXOnXOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 44), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsXOnXOff.setStatus('current') hwspSupportsXOnXOffSet = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 45), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSupportsXOnXOffSet.setStatus('current') hwspSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 46), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSystemCreationClassName.setStatus('current') hwspSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 47), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspSystemName.setStatus('current') hwspTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 26, 1, 48), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspTimeOfLastReset.setStatus('current') win32SerialPortConfigTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27), ) if mibBuilder.loadTexts: win32SerialPortConfigTable.setStatus('current') win32SerialPortConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1), ).setIndexNames((0, "INFORMANT-HW", "hwspcIndex")) if mibBuilder.loadTexts: win32SerialPortConfigEntry.setStatus('current') hwspcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcIndex.setStatus('current') hwspcAbortReadWriteOnError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcAbortReadWriteOnError.setStatus('current') hwspcBaudRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcBaudRate.setStatus('current') hwspcBinaryModeEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcBinaryModeEnabled.setStatus('current') hwspcBitsPerByte = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcBitsPerByte.setStatus('current') hwspcCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcCaption.setStatus('current') hwspcContinueXMitOnXOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 7), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcContinueXMitOnXOff.setStatus('current') hwspcCTSOutflowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcCTSOutflowControl.setStatus('current') hwspcDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcDescription.setStatus('current') hwspcDiscardNULLBytes = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcDiscardNULLBytes.setStatus('current') hwspcDSROutflowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcDSROutflowControl.setStatus('current') hwspcDSRSensitivity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcDSRSensitivity.setStatus('current') hwspcDTRFlowControlType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 13), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("enable", 1), ("disable", 2), ("handshake", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcDTRFlowControlType.setStatus('current') hwspcEOFCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcEOFCharacter.setStatus('current') hwspcErrorReplaceCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcErrorReplaceCharacter.setStatus('current') hwspcErrorReplacementEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcErrorReplacementEnabled.setStatus('current') hwspcEventCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcEventCharacter.setStatus('current') hwspcIsBusy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcIsBusy.setStatus('current') hwspcName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 19), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcName.setStatus('current') hwspcParity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcParity.setStatus('current') hwspcParityCheckEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcParityCheckEnabled.setStatus('current') hwspcRTSFlowControlType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcRTSFlowControlType.setStatus('current') hwspcSettingID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 23), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcSettingID.setStatus('current') hwspcStopBits = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcStopBits.setStatus('current') hwspcXOffCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOffCharacter.setStatus('current') hwspcXOffXMitThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOffXMitThreshold.setStatus('current') hwspcXOnCharacter = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOnCharacter.setStatus('current') hwspcXOnXMitThreshold = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOnXMitThreshold.setStatus('current') hwspcXOnXOffInFlowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("false", 0), ("true", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOnXOffInFlowControl.setStatus('current') hwspcXOnXOffOutFlowControl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 27, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwspcXOnXOffOutFlowControl.setStatus('current') win32SMBIOSMemoryTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28), ) if mibBuilder.loadTexts: win32SMBIOSMemoryTable.setStatus('current') win32SMBIOSMemoryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1), ).setIndexNames((0, "INFORMANT-HW", "hwsbmIndex")) if mibBuilder.loadTexts: win32SMBIOSMemoryEntry.setStatus('current') hwsbmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmIndex.setStatus('current') hwsbmAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 0), ("readable", 1), ("writable", 2), ("readWriteSupported", 3), ("writeOnce", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmAccess.setStatus('current') hwsbmAdditionalErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmAdditionalErrorData.setStatus('current') hwsbmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmAvailability.setStatus('current') hwsbmBlockSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmBlockSize.setStatus('current') hwsbmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmCaption.setStatus('current') hwsbmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmConfigManagerErrorCode.setStatus('current') hwsbmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmConfigManagerUserConfig.setStatus('current') hwsbmCorrectableError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmCorrectableError.setStatus('current') hwsbmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 10), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmCreationClassName.setStatus('current') hwsbmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmDescription.setStatus('current') hwsbmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmDeviceID.setStatus('current') hwsbmEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmEndingAddress.setStatus('current') hwsbmErrorAccess = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 14), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("read", 3), ("write", 4), ("partialWrite", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorAccess.setStatus('current') hwsbmErrorAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorAddress.setStatus('current') hwsbmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorCleared.setStatus('current') hwsbmErrorData = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorData.setStatus('current') hwsbmErrorDataOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("leastSignificantByteFirst", 1), ("mostSignificantByteFirst", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorDataOrder.setStatus('current') hwsbmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorDescription.setStatus('current') hwsbmErrorInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("ok", 3), ("badRead", 4), ("parityError", 5), ("singleBitError", 6), ("doubleBitError", 7), ("multiBitError", 8), ("nibbleError", 9), ("checksumError", 10), ("crcError", 11), ("correctedSinglebitError", 12), ("correctedError", 13), ("uncorrectableError", 14)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorInfo.setStatus('current') hwsbmErrorMethodology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("none", 3), ("parity", 4), ("singleBitECC", 5), ("multiBitECC", 6), ("crc", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorMethodology.setStatus('current') hwsbmErrorResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorResolution.setStatus('current') hwsbmErrorTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 23), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorTime.setStatus('current') hwsbmErrorTransferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 24), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmErrorTransferSize.setStatus('current') hwsbmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 25), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmInstallDate.setStatus('current') hwsbmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmLastErrorCode.setStatus('current') hwsbmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmName.setStatus('current') hwsbmNumberOfBlocks = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmNumberOfBlocks.setStatus('current') hwsbmOtherErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmOtherErrorDescription.setStatus('current') hwsbmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmPNPDeviceID.setStatus('current') hwsbmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmPowerManagementCapabilities.setStatus('current') hwsbmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 32), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmPowerManagementSupported.setStatus('current') hwsbmPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmPurpose.setStatus('current') hwsbmStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 34), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmStartingAddress.setStatus('current') hwsbmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmStatus.setStatus('current') hwsbmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmStatusInfo.setStatus('current') hwsbmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmSystemCreationClassName.setStatus('current') hwsbmSystemLevelAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 38), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmSystemLevelAddress.setStatus('current') hwsbmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 28, 1, 39), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsbmSystemName.setStatus('current') win32SoundDeviceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29), ) if mibBuilder.loadTexts: win32SoundDeviceTable.setStatus('current') win32SoundDeviceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1), ).setIndexNames((0, "INFORMANT-HW", "hwsndIndex")) if mibBuilder.loadTexts: win32SoundDeviceEntry.setStatus('current') hwsndIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndIndex.setStatus('current') hwsndAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndAvailability.setStatus('current') hwsndCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndCaption.setStatus('current') hwsndConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndConfigManagerErrorCode.setStatus('current') hwsndConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndConfigManagerUserConfig.setStatus('current') hwsndCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndCreationClassName.setStatus('current') hwsndDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndDescription.setStatus('current') hwsndDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 8), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 260))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndDeviceID.setStatus('current') hwsndDMABufferSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 9), Integer32()).setUnits('Kilobytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndDMABufferSize.setStatus('current') hwsndErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 10), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndErrorCleared.setStatus('current') hwsndErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndErrorDescription.setStatus('current') hwsndInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 12), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndInstallDate.setStatus('current') hwsndLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndLastErrorCode.setStatus('current') hwsndManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndManufacturer.setStatus('current') hwsndMPU401Address = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndMPU401Address.setStatus('current') hwsndName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndName.setStatus('current') hwsndPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndPNPDeviceID.setStatus('current') hwsndPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndPowerManagementCapabilities.setStatus('current') hwsndPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 19), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndPowerManagementSupported.setStatus('current') hwsndProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndProductName.setStatus('current') hwsndStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndStatus.setStatus('current') hwsndStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndStatusInfo.setStatus('current') hwsndSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndSystemCreationClassName.setStatus('current') hwsndSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 29, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsndSystemName.setStatus('current') win32SystemEnclosureTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30), ) if mibBuilder.loadTexts: win32SystemEnclosureTable.setStatus('current') win32SystemEnclosureEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1), ).setIndexNames((0, "INFORMANT-HW", "hwseIndex")) if mibBuilder.loadTexts: win32SystemEnclosureEntry.setStatus('current') hwseIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseIndex.setStatus('current') hwseAudibleAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseAudibleAlarm.setStatus('current') hwseBreachDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseBreachDescription.setStatus('current') hwseCableManagementStrategy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseCableManagementStrategy.setStatus('current') hwseCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 5), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseCaption.setStatus('current') hwseChassisTypes = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseChassisTypes.setStatus('current') hwseCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseCreationClassName.setStatus('current') hwseCurrentRequiredOrProduced = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 8), Integer32()).setUnits('Amps at 120 Volts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwseCurrentRequiredOrProduced.setStatus('current') hwseDepth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 9), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseDepth.setStatus('current') hwseDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseDescription.setStatus('current') hwseHeatGeneration = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 11), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseHeatGeneration.setStatus('current') hwseHeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseHeight.setStatus('current') hwseHotSwappable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 13), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseHotSwappable.setStatus('current') hwseInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 14), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseInstallDate.setStatus('current') hwseLockPresent = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseLockPresent.setStatus('current') hwseManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 16), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseManufacturer.setStatus('current') hwseModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 17), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseModel.setStatus('current') hwseName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseName.setStatus('current') hwseNumberOfPowerCords = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 19), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseNumberOfPowerCords.setStatus('current') hwseOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseOtherIdentifyingInfo.setStatus('current') hwsePartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 21), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsePartNumber.setStatus('current') hwsePoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsePoweredOn.setStatus('current') hwseRemovable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseRemovable.setStatus('current') hwseReplaceable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 24), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseReplaceable.setStatus('current') hwseSecurityBreach = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("noBreach", 3), ("breachAttempted", 4), ("breachSuccessful", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseSecurityBreach.setStatus('current') hwseSecurityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("none", 3), ("externalInterfaceLockedOut", 4), ("externalInterfaceEnabled", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseSecurityStatus.setStatus('current') hwseSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 27), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseSerialNumber.setStatus('current') hwseServiceDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseServiceDescriptions.setStatus('current') hwseServicePhilosophy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseServicePhilosophy.setStatus('current') hwseSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 30), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseSKU.setStatus('current') hwseSMBIOSAssetTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseSMBIOSAssetTag.setStatus('current') hwseStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 32), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseStatus.setStatus('current') hwseTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 33), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseTag.setStatus('current') hwseTypeDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseTypeDescriptions.setStatus('current') hwseVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 35), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseVersion.setStatus('current') hwseVisibleAlarm = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseVisibleAlarm.setStatus('current') hwseWeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 37), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseWeight.setStatus('current') hwseWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 30, 1, 38), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwseWidth.setStatus('current') win32SystemMemoryResourceTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31), ) if mibBuilder.loadTexts: win32SystemMemoryResourceTable.setStatus('current') win32SystemMemoryResourceEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1), ).setIndexNames((0, "INFORMANT-HW", "hwsmrIndex")) if mibBuilder.loadTexts: win32SystemMemoryResourceEntry.setStatus('current') hwsmrIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrIndex.setStatus('current') hwsmrCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 2), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrCaption.setStatus('current') hwsmrCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrCreationClassName.setStatus('current') hwsmrCSCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrCSCreationClassName.setStatus('current') hwsmrCSName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 5), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrCSName.setStatus('current') hwsmrDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrDescription.setStatus('current') hwsmrEndingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 7), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrEndingAddress.setStatus('current') hwsmrInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 8), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrInstallDate.setStatus('current') hwsmrName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrName.setStatus('current') hwsmrStartingAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrStartingAddress.setStatus('current') hwsmrStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 31, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwsmrStatus.setStatus('current') win32SystemSlotTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32), ) if mibBuilder.loadTexts: win32SystemSlotTable.setStatus('current') win32SystemSlotEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1), ).setIndexNames((0, "INFORMANT-HW", "hwssIndex")) if mibBuilder.loadTexts: win32SystemSlotEntry.setStatus('current') hwssIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssIndex.setStatus('current') hwssCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 2), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssCaption.setStatus('current') hwssConnectorPinout = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssConnectorPinout.setStatus('current') hwssConnectorType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssConnectorType.setStatus('current') hwssCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 5), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssCreationClassName.setStatus('current') hwssCurrentUsage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4))).clone(namedValues=NamedValues(("reserved", 0), ("other", 1), ("unknown", 2), ("available", 3), ("inUse", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssCurrentUsage.setStatus('current') hwssDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssDescription.setStatus('current') hwssHeightAllowed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 8), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssHeightAllowed.setStatus('current') hwssInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 9), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssInstallDate.setStatus('current') hwssLengthAllowed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 10), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssLengthAllowed.setStatus('current') hwssManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 11), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssManufacturer.setStatus('current') hwssMaxDataWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 12), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssMaxDataWidth.setStatus('current') hwssModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 13), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssModel.setStatus('current') hwssName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssName.setStatus('current') hwssNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssNumber.setStatus('current') hwssOtherIdentifyingInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssOtherIdentifyingInfo.setStatus('current') hwssPartNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 17), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssPartNumber.setStatus('current') hwssPMESignal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssPMESignal.setStatus('current') hwssPoweredOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 19), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssPoweredOn.setStatus('current') hwssPurposeDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssPurposeDescription.setStatus('current') hwssSerialNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 21), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssSerialNumber.setStatus('current') hwssShared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssShared.setStatus('current') hwssSKU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 23), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssSKU.setStatus('current') hwssSlotDesignation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssSlotDesignation.setStatus('current') hwssSpecialPurpose = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssSpecialPurpose.setStatus('current') hwssStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssStatus.setStatus('current') hwssSupportsHotPlug = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssSupportsHotPlug.setStatus('current') hwssTag = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 28), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssTag.setStatus('current') hwssThermalRating = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssThermalRating.setStatus('current') hwssVccMixedVoltageSupport = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssVccMixedVoltageSupport.setStatus('current') hwssVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 31), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssVersion.setStatus('current') hwssVppMixedVoltageSupport = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 32, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwssVppMixedVoltageSupport.setStatus('current') win32USBControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33), ) if mibBuilder.loadTexts: win32USBControllerTable.setStatus('current') win32USBControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1), ).setIndexNames((0, "INFORMANT-HW", "hwucIndex")) if mibBuilder.loadTexts: win32USBControllerEntry.setStatus('current') hwucIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucIndex.setStatus('current') hwucAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucAvailability.setStatus('current') hwucCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucCaption.setStatus('current') hwucConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucConfigManagerErrorCode.setStatus('current') hwucConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucConfigManagerUserConfig.setStatus('current') hwucCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucCreationClassName.setStatus('current') hwucDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucDescription.setStatus('current') hwucDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucDeviceID.setStatus('current') hwucErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucErrorCleared.setStatus('current') hwucErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucErrorDescription.setStatus('current') hwucInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 11), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucInstallDate.setStatus('current') hwucLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucLastErrorCode.setStatus('current') hwucManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucManufacturer.setStatus('current') hwucMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucMaxNumberControlled.setStatus('current') hwucName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucName.setStatus('current') hwucPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucPNPDeviceID.setStatus('current') hwucPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucPowerManagementCapabilities.setStatus('current') hwucPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 18), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucPowerManagementSupported.setStatus('current') hwucProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46))).clone(namedValues=NamedValues(("other", 0), ("unknown", 1), ("eisa", 2), ("isa", 3), ("pci", 4), ("ataATAPI", 5), ("flexibleDiskette", 6), ("n1496", 7), ("scsiParallelInterface", 8), ("scsiFibreChannelProtocol", 9), ("scsiSerialBusProtocol", 10), ("scsiSerialBusProtocol1394", 11), ("scsiSerialStorageArchitecture", 12), ("vesa", 13), ("pcmcia", 14), ("universalSerialBus", 15), ("parallelProtocol", 16), ("escon", 17), ("diagnostic", 18), ("i2C", 19), ("power", 20), ("hippi", 21), ("multiBus", 22), ("vme", 23), ("ipi", 24), ("ieee488", 25), ("rs232", 26), ("ieee802310BASE5", 27), ("ieee802310BASE2", 28), ("ieee80231BASE5", 29), ("ieee802310BROAD36", 30), ("ieee8023100BASEVG", 31), ("ieee8025TokenRing", 32), ("ansiX3T95FDDI", 33), ("mca", 34), ("esdi", 35), ("ide", 36), ("cmd", 37), ("st506", 38), ("dssi", 39), ("qic2", 40), ("enhancedATAIDE", 41), ("agp", 42), ("twowayInfrared", 43), ("fastInfrared", 44), ("serialInfrared", 45), ("irBus", 46)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucProtocolSupported.setStatus('current') hwucStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 20), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucStatus.setStatus('current') hwucStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucStatusInfo.setStatus('current') hwucSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucSystemCreationClassName.setStatus('current') hwucSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucSystemName.setStatus('current') hwucTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 33, 1, 24), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwucTimeOfLastReset.setStatus('current') win32USBHubTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34), ) if mibBuilder.loadTexts: win32USBHubTable.setStatus('current') win32USBHubEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1), ).setIndexNames((0, "INFORMANT-HW", "hwuhIndex")) if mibBuilder.loadTexts: win32USBHubEntry.setStatus('current') hwuhIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhIndex.setStatus('current') hwuhAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhAvailability.setStatus('current') hwuhCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhCaption.setStatus('current') hwuhClassCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 4), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhClassCode.setStatus('current') hwuhConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhConfigManagerErrorCode.setStatus('current') hwuhConfigManagerUserCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhConfigManagerUserCode.setStatus('current') hwuhCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhCreationClassName.setStatus('current') hwuhCurrentAlternativeSettings = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhCurrentAlternativeSettings.setStatus('current') hwuhCurrentConfigValue = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhCurrentConfigValue.setStatus('current') hwuhDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhDescription.setStatus('current') hwuhDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhDeviceID.setStatus('current') hwuhErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhErrorCleared.setStatus('current') hwuhErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhErrorDescription.setStatus('current') hwuhGangSwitched = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhGangSwitched.setStatus('current') hwuhInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 15), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhInstallDate.setStatus('current') hwuhLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhLastErrorCode.setStatus('current') hwuhName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhName.setStatus('current') hwuhNumberOfConfigs = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 18), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhNumberOfConfigs.setStatus('current') hwuhNumberOfPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 19), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhNumberOfPorts.setStatus('current') hwuhPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhPNPDeviceID.setStatus('current') hwuhPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhPowerManagementCapabilities.setStatus('current') hwuhPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhPowerManagementSupported.setStatus('current') hwuhProtocolCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 23), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhProtocolCode.setStatus('current') hwuhStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhStatus.setStatus('current') hwuhStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhStatusInfo.setStatus('current') hwuhSubclassCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 26), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhSubclassCode.setStatus('current') hwuhSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhSystemCreationClassName.setStatus('current') hwuhSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhSystemName.setStatus('current') hwuhUSBVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 4, 34, 1, 29), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwuhUSBVersion.setStatus('current') wmiNetworkingDevice = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5)) if mibBuilder.loadTexts: wmiNetworkingDevice.setStatus('current') win32NetworkAdapterTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1), ) if mibBuilder.loadTexts: win32NetworkAdapterTable.setStatus('current') win32NetworkAdapterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwnaIndex")) if mibBuilder.loadTexts: win32NetworkAdapterEntry.setStatus('current') hwnaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaIndex.setStatus('current') hwnaAdapterType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaAdapterType.setStatus('current') hwnaAdapterTypeID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("ethernet8023", 0), ("tokenRing8025", 1), ("fiberDistributedDataInterface", 2), ("wideAreaNetwork", 3), ("localTalk", 4), ("ethernetUsingDIXHeaderFormat", 5), ("arcnet", 6), ("arcnet8782", 7), ("atm", 8), ("wireless", 9), ("infraredWireless", 10), ("bpc", 11), ("coWan", 12), ("n1394", 13)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaAdapterTypeID.setStatus('current') hwnaAutoSense = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaAutoSense.setStatus('current') hwnaAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaAvailability.setStatus('current') hwnaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaCaption.setStatus('current') hwnaConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaConfigManagerErrorCode.setStatus('current') hwnaConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaConfigManagerUserConfig.setStatus('current') hwnaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 9), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaCreationClassName.setStatus('current') hwnaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaDescription.setStatus('current') hwnaDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaDeviceID.setStatus('current') hwnaErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaErrorCleared.setStatus('current') hwnaErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaErrorDescription.setStatus('current') hwnaRegistryIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 14), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaRegistryIndex.setStatus('current') hwnaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 15), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaInstallDate.setStatus('current') hwnaInstalled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 16), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaInstalled.setStatus('current') hwnaInterfaceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaInterfaceIndex.setStatus('current') hwnaLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 18), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaLastErrorCode.setStatus('current') hwnaMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaMACAddress.setStatus('current') hwnaManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaManufacturer.setStatus('current') hwnaMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 21), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaMaxNumberControlled.setStatus('current') hwnaMaxSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaMaxSpeed.setStatus('current') hwnaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaName.setStatus('current') hwnaNetConnectionID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaNetConnectionID.setStatus('current') hwnaNetConnectionStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10))).clone(namedValues=NamedValues(("disconnected", 0), ("connecting", 1), ("connected", 2), ("disconnecting", 3), ("hardwareNotPresent", 4), ("hardwareDisabled", 5), ("hardwareMalfunction", 6), ("mediaDisconnected", 7), ("authenticating", 8), ("authenticationSucceeded", 9), ("authenticationFailed", 10)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaNetConnectionStatus.setStatus('current') hwnaNetworkAddresses = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaNetworkAddresses.setStatus('current') hwnaPermanentAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaPermanentAddress.setStatus('current') hwnaPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaPNPDeviceID.setStatus('current') hwnaPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaPowerManagementCapabilities.setStatus('current') hwnaPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 30), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaPowerManagementSupported.setStatus('current') hwnaProductName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaProductName.setStatus('current') hwnaServiceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaServiceName.setStatus('current') hwnaSpeed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaSpeed.setStatus('current') hwnaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaStatus.setStatus('current') hwnaStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaStatusInfo.setStatus('current') hwnaSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 36), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaSystemCreationClassName.setStatus('current') hwnaSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaSystemName.setStatus('current') hwnaTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 1, 1, 38), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnaTimeOfLastReset.setStatus('current') win32NetworkAdapterConfigTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2), ) if mibBuilder.loadTexts: win32NetworkAdapterConfigTable.setStatus('current') win32NetworkAdapterConfigEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwnacIndex")) if mibBuilder.loadTexts: win32NetworkAdapterConfigEntry.setStatus('current') hwnacIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIndex.setStatus('current') hwnacArpAlwaysSourceRoute = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacArpAlwaysSourceRoute.setStatus('current') hwnacArpUseEtherSNAP = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 3), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacArpUseEtherSNAP.setStatus('current') hwnacCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacCaption.setStatus('current') hwnacDatabasePath = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDatabasePath.setStatus('current') hwnacDeadGWDetectEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDeadGWDetectEnabled.setStatus('current') hwnacDefaultIPGateway = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDefaultIPGateway.setStatus('current') hwnacDefaultTOS = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 8), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDefaultTOS.setStatus('current') hwnacDefaultTTL = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 9), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDefaultTTL.setStatus('current') hwnacDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDescription.setStatus('current') hwnacDHCPEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDHCPEnabled.setStatus('current') hwnacDHCPLeaseExpires = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 12), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDHCPLeaseExpires.setStatus('current') hwnacDHCPLeaseObtained = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDHCPLeaseObtained.setStatus('current') hwnacDHCPServer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDHCPServer.setStatus('current') hwnacDNSDomain = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDNSDomain.setStatus('current') hwnacDNSDomainSuffixSearchOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDNSDomainSuffixSearchOrder.setStatus('current') hwnacDNSEnabledForWINSResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDNSEnabledForWINSResolution.setStatus('current') hwnacDNSHostName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDNSHostName.setStatus('current') hwnacDNSServerSearchOrder = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDNSServerSearchOrder.setStatus('current') hwnacDomainDNSRegistrationEnable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacDomainDNSRegistrationEnable.setStatus('current') hwnacForwardBufferMemory = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 21), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacForwardBufferMemory.setStatus('current') hwnacFullDNSRegistrationEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 22), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacFullDNSRegistrationEnabled.setStatus('current') hwnacGatewayCostMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacGatewayCostMetric.setStatus('current') hwnacIGMPLevel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("noMulticast", 0), ("ipMulticast", 1), ("ipIGMPMulticast", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIGMPLevel.setStatus('current') hwnacConfigurationIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacConfigurationIndex.setStatus('current') hwnacInterfaceIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacInterfaceIndex.setStatus('current') hwnacIPAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 27), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPAddress.setStatus('current') hwnacIPConnectionMetric = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPConnectionMetric.setStatus('current') hwnacIPEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 29), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPEnabled.setStatus('current') hwnacIPFilterSecurityEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 30), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPFilterSecurityEnabled.setStatus('current') hwnacIPPortSecurityEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 31), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPPortSecurityEnabled.setStatus('current') hwnacIPSecPermitIPProtocols = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPSecPermitIPProtocols.setStatus('current') hwnacIPSecPermitTCPPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPSecPermitTCPPorts.setStatus('current') hwnacIPSecPermitUDPPorts = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPSecPermitUDPPorts.setStatus('current') hwnacIPSubnet = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 35), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPSubnet.setStatus('current') hwnacIPUseZeroBroadcast = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPUseZeroBroadcast.setStatus('current') hwnacIPXAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXAddress.setStatus('current') hwnacIPXEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 38), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXEnabled.setStatus('current') hwnacIPXFrameType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 39), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXFrameType.setStatus('current') hwnacIPXMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 8))).clone(namedValues=NamedValues(("ethernet", 1), ("tokenRing", 2), ("fddi", 3), ("arcnet", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXMediaType.setStatus('current') hwnacIPXNetworkNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 41), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXNetworkNumber.setStatus('current') hwnacIPXVirtualNetNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 42), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacIPXVirtualNetNumber.setStatus('current') hwnacKeepAliveInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 43), Gauge32()).setUnits('Milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacKeepAliveInterval.setStatus('current') hwnacKeepAliveTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 44), Gauge32()).setUnits('Milliseconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacKeepAliveTime.setStatus('current') hwnacMACAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 45), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacMACAddress.setStatus('current') hwnacMTU = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 46), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacMTU.setStatus('current') hwnacNumForwardPackets = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 47), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacNumForwardPackets.setStatus('current') hwnacPMTUBHDetectEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 48), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacPMTUBHDetectEnabled.setStatus('current') hwnacPMTUDiscoveryEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 49), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacPMTUDiscoveryEnabled.setStatus('current') hwnacServiceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 50), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacServiceName.setStatus('current') hwnacSettingID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 51), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacSettingID.setStatus('current') hwnacTcpipNetbiosOptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("n0x0EnableNetbiosViaDhcp", 0), ("n0x1EnableNetbios", 1), ("n0x2DisableNetbios", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpipNetbiosOptions.setStatus('current') hwnacTcpMaxConnectRetransmission = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 53), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpMaxConnectRetransmission.setStatus('current') hwnacTcpMaxDataRetransmissions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 54), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpMaxDataRetransmissions.setStatus('current') hwnacTcpNumConnections = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 55), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpNumConnections.setStatus('current') hwnacTcpUseRFC1122UrgentPointer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 56), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpUseRFC1122UrgentPointer.setStatus('current') hwnacTcpWindowSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 57), Integer32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacTcpWindowSize.setStatus('current') hwnacWINSEnableLMHostsLookup = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 58), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacWINSEnableLMHostsLookup.setStatus('current') hwnacWINSHostLookupFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 59), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacWINSHostLookupFile.setStatus('current') hwnacWINSPrimaryServer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 60), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacWINSPrimaryServer.setStatus('current') hwnacWINSScopeID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 61), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacWINSScopeID.setStatus('current') hwnacWINSSecondaryServer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 5, 2, 1, 62), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwnacWINSSecondaryServer.setStatus('current') wmiPower = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6)) if mibBuilder.loadTexts: wmiPower.setStatus('current') win32BatteryTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1), ) if mibBuilder.loadTexts: win32BatteryTable.setStatus('current') win32BatteryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwbaIndex")) if mibBuilder.loadTexts: win32BatteryEntry.setStatus('current') hwbaIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaIndex.setStatus('current') hwbaAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaAvailability.setStatus('current') hwbaBatteryRechargeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 3), Gauge32()).setUnits('Minutes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaBatteryRechargeTime.setStatus('current') hwbaBatteryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("fullyCharged", 3), ("low", 4), ("critical", 5), ("charging", 6), ("chargingAndHigh", 7), ("chargingAndLow", 8), ("chargingAndCritical", 9), ("undefined", 10), ("partiallyCharged", 11)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaBatteryStatus.setStatus('current') hwbaCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaCaption.setStatus('current') hwbaChemistry = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("leadAcid", 3), ("nickelCadmium", 4), ("nickelMetalHydride", 5), ("lithiumion", 6), ("zincAir", 7), ("lithiumPolymer", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaChemistry.setStatus('current') hwbaConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaConfigManagerErrorCode.setStatus('current') hwbaConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 8), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaConfigManagerUserConfig.setStatus('current') hwbaCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 9), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaCreationClassName.setStatus('current') hwbaDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaDescription.setStatus('current') hwbaDesignCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 11), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaDesignCapacity.setStatus('current') hwbaDesignVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaDesignVoltage.setStatus('current') hwbaDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaDeviceID.setStatus('current') hwbaErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaErrorCleared.setStatus('current') hwbaErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaErrorDescription.setStatus('current') hwbaEstimatedChargeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 16), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaEstimatedChargeRemaining.setStatus('current') hwbaEstimatedRunTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaEstimatedRunTime.setStatus('current') hwbaExpectedBatteryLife = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 18), Gauge32()).setUnits('Minutes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaExpectedBatteryLife.setStatus('current') hwbaExpectedLife = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaExpectedLife.setStatus('current') hwbaFullChargeCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaFullChargeCapacity.setStatus('current') hwbaInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 21), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaInstallDate.setStatus('current') hwbaLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaLastErrorCode.setStatus('current') hwbaMaxRechargeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaMaxRechargeTime.setStatus('current') hwbaName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaName.setStatus('current') hwbaPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaPNPDeviceID.setStatus('current') hwbaPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaPowerManagementCapabilities.setStatus('current') hwbaPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaPowerManagementSupported.setStatus('current') hwbaSmartBatteryVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaSmartBatteryVersion.setStatus('current') hwbaStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaStatus.setStatus('current') hwbaStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaStatusInfo.setStatus('current') hwbaSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaSystemCreationClassName.setStatus('current') hwbaSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaSystemName.setStatus('current') hwbaTimeOnBattery = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaTimeOnBattery.setStatus('current') hwbaTimeToFullCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 1, 1, 34), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwbaTimeToFullCharge.setStatus('current') win32CurrentProbeTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2), ) if mibBuilder.loadTexts: win32CurrentProbeTable.setStatus('current') win32CurrentProbeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwcpIndex")) if mibBuilder.loadTexts: win32CurrentProbeEntry.setStatus('current') hwcpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpIndex.setStatus('current') hwcpAccuracy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 2), Integer32()).setUnits('Hundredths of Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpAccuracy.setStatus('current') hwcpAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpAvailability.setStatus('current') hwcpCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpCaption.setStatus('current') hwcpConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpConfigManagerErrorCode.setStatus('current') hwcpConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpConfigManagerUserConfig.setStatus('current') hwcpCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpCreationClassName.setStatus('current') hwcpCurrentReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 8), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpCurrentReading.setStatus('current') hwcpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpDescription.setStatus('current') hwcpDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpDeviceID.setStatus('current') hwcpErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpErrorCleared.setStatus('current') hwcpErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpErrorDescription.setStatus('current') hwcpInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpInstallDate.setStatus('current') hwcpIsLinear = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpIsLinear.setStatus('current') hwcpLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpLastErrorCode.setStatus('current') hwcpLowerThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 16), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpLowerThresholdCritical.setStatus('current') hwcpLowerThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 17), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpLowerThresholdFatal.setStatus('current') hwcpLowerThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 18), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpLowerThresholdNonCritical.setStatus('current') hwcpMaxReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 19), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpMaxReadable.setStatus('current') hwcpMinReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 20), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpMinReadable.setStatus('current') hwcpName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpName.setStatus('current') hwcpNominalReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 22), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpNominalReading.setStatus('current') hwcpNormalMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 23), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpNormalMax.setStatus('current') hwcpNormalMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 24), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpNormalMin.setStatus('current') hwcpPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpPNPDeviceID.setStatus('current') hwcpPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpPowerManagementCapabilities.setStatus('current') hwcpPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpPowerManagementSupported.setStatus('current') hwcpResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 28), Gauge32()).setUnits('Tenths of Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpResolution.setStatus('current') hwcpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpStatus.setStatus('current') hwcpStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpStatusInfo.setStatus('current') hwcpSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpSystemCreationClassName.setStatus('current') hwcpSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpSystemName.setStatus('current') hwcpTolerance = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 33), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpTolerance.setStatus('current') hwcpUpperThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 34), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpUpperThresholdCritical.setStatus('current') hwcpUpperThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 35), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpUpperThresholdFatal.setStatus('current') hwcpUpperThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 2, 1, 36), Integer32()).setUnits('Milliamps').setMaxAccess("readonly") if mibBuilder.loadTexts: hwcpUpperThresholdNonCritical.setStatus('current') win32PortableBatteryTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3), ) if mibBuilder.loadTexts: win32PortableBatteryTable.setStatus('current') win32PortableBatteryEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpbIndex")) if mibBuilder.loadTexts: win32PortableBatteryEntry.setStatus('current') hwpbIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbIndex.setStatus('current') hwpbAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbAvailability.setStatus('current') hwpbBatteryRechargeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbBatteryRechargeTime.setStatus('current') hwpbBatteryStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("fullyCharged", 3), ("low", 4), ("critical", 5), ("charging", 6), ("chargingAndHigh", 7), ("chargingAndLow", 8), ("chargingAndCritical", 9), ("undefined", 10), ("partiallyCharged", 11)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbBatteryStatus.setStatus('current') hwpbCapacityMultiplier = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 5), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbCapacityMultiplier.setStatus('current') hwpbCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbCaption.setStatus('current') hwpbChemistry = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 7), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("leadAcid", 3), ("nickelCadmium", 4), ("nickelMetalHydride", 5), ("lithiumion", 6), ("zincAir", 7), ("lithiumPolymer", 8)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbChemistry.setStatus('current') hwpbConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbConfigManagerErrorCode.setStatus('current') hwpbConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbConfigManagerUserConfig.setStatus('current') hwpbCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 10), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbCreationClassName.setStatus('current') hwpbDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbDescription.setStatus('current') hwpbDesignCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbDesignCapacity.setStatus('current') hwpbDesignVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbDesignVoltage.setStatus('current') hwpbDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbDeviceID.setStatus('current') hwpbErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 15), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbErrorCleared.setStatus('current') hwpbErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbErrorDescription.setStatus('current') hwpbEstimatedChargeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 17), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbEstimatedChargeRemaining.setStatus('current') hwpbEstimatedRunTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 18), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbEstimatedRunTime.setStatus('current') hwpbExpectedBatteryLife = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 19), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbExpectedBatteryLife.setStatus('current') hwpbExpectedLife = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbExpectedLife.setStatus('current') hwpbFullChargeCapacity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 21), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbFullChargeCapacity.setStatus('current') hwpbInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 22), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbInstallDate.setStatus('current') hwpbLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbLastErrorCode.setStatus('current') hwpbLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbLocation.setStatus('current') hwpbManufactureDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbManufactureDate.setStatus('current') hwpbManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbManufacturer.setStatus('current') hwpbMaxBatteryError = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 27), Integer32()).setUnits('Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbMaxBatteryError.setStatus('current') hwpbMaxRechargeTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbMaxRechargeTime.setStatus('current') hwpbName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbName.setStatus('current') hwpbPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbPNPDeviceID.setStatus('current') hwpbPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbPowerManagementCapabilities.setStatus('current') hwpbPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 32), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbPowerManagementSupported.setStatus('current') hwpbSmartBatteryVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbSmartBatteryVersion.setStatus('current') hwpbStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 34), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbStatus.setStatus('current') hwpbStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 35), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbStatusInfo.setStatus('current') hwpbSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 36), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbSystemCreationClassName.setStatus('current') hwpbSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbSystemName.setStatus('current') hwpbTimeOnBattery = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 38), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbTimeOnBattery.setStatus('current') hwpbTimeToFullCharge = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 3, 1, 39), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpbTimeToFullCharge.setStatus('current') win32UninterruptPowerSupplyTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4), ) if mibBuilder.loadTexts: win32UninterruptPowerSupplyTable.setStatus('current') win32UninterruptPowerSupplyEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1), ).setIndexNames((0, "INFORMANT-HW", "hwupsIndex")) if mibBuilder.loadTexts: win32UninterruptPowerSupplyEntry.setStatus('current') hwupsIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsIndex.setStatus('current') hwupsActiveInputVoltage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("range1", 3), ("range2", 4), ("both", 5), ("neither", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsActiveInputVoltage.setStatus('current') hwupsAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsAvailability.setStatus('current') hwupsBatteryInstalled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsBatteryInstalled.setStatus('current') hwupsCanTurnOffRemotely = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 5), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsCanTurnOffRemotely.setStatus('current') hwupsCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 6), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsCaption.setStatus('current') hwupsCommandFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsCommandFile.setStatus('current') hwupsConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 8), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsConfigManagerErrorCode.setStatus('current') hwupsConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 9), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsConfigManagerUserConfig.setStatus('current') hwupsCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 10), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsCreationClassName.setStatus('current') hwupsDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsDescription.setStatus('current') hwupsDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsDeviceID.setStatus('current') hwupsErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 13), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsErrorCleared.setStatus('current') hwupsErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsErrorDescription.setStatus('current') hwupsEstimatedChargeRemaining = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 15), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsEstimatedChargeRemaining.setStatus('current') hwupsEstimatedRunTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsEstimatedRunTime.setStatus('current') hwupsFirstMessageDelay = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 17), Gauge32()).setUnits('Seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsFirstMessageDelay.setStatus('current') hwupsInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 18), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsInstallDate.setStatus('current') hwupsIsSwitchingSupply = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 19), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsIsSwitchingSupply.setStatus('current') hwupsLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 20), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsLastErrorCode.setStatus('current') hwupsLowBatterySignal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 21), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsLowBatterySignal.setStatus('current') hwupsMessageInterval = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 22), Gauge32()).setUnits('Seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsMessageInterval.setStatus('current') hwupsName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsName.setStatus('current') hwupsPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsPNPDeviceID.setStatus('current') hwupsPowerFailSignal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 25), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsPowerFailSignal.setStatus('current') hwupsPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsPowerManagementCapabilities.setStatus('current') hwupsPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsPowerManagementSupported.setStatus('current') hwupsRange1InputFrequencyHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 28), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange1InputFrequencyHigh.setStatus('current') hwupsRange1InputFrequencyLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 29), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange1InputFrequencyLow.setStatus('current') hwupsRange1InputVoltageHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange1InputVoltageHigh.setStatus('current') hwupsRange1InputVoltageLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 31), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange1InputVoltageLow.setStatus('current') hwupsRange2InputFrequencyHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 32), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange2InputFrequencyHigh.setStatus('current') hwupsRange2InputFrequencyLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange2InputFrequencyLow.setStatus('current') hwupsRange2InputVoltageHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 34), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange2InputVoltageHigh.setStatus('current') hwupsRange2InputVoltageLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRange2InputVoltageLow.setStatus('current') hwupsRemainingCapacityStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 36), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("unknown", 1), ("norma", 2), ("low", 3), ("depleted", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsRemainingCapacityStatus.setStatus('current') hwupsStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 37), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsStatus.setStatus('current') hwupsStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 38), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsStatusInfo.setStatus('current') hwupsSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 39), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsSystemCreationClassName.setStatus('current') hwupsSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 40), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsSystemName.setStatus('current') hwupsTimeOnBackup = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 41), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsTimeOnBackup.setStatus('current') hwupsTotalOutputPower = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 42), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsTotalOutputPower.setStatus('current') hwupsTypeOfRangeSwitching = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 43), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("manual", 3), ("autoswitch", 4), ("wideRange", 5), ("notApplicable", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsTypeOfRangeSwitching.setStatus('current') hwupsUPSPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 4, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwupsUPSPort.setStatus('current') win32VoltageProbeTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5), ) if mibBuilder.loadTexts: win32VoltageProbeTable.setStatus('current') win32VoltageProbeEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1), ).setIndexNames((0, "INFORMANT-HW", "hwvpIndex")) if mibBuilder.loadTexts: win32VoltageProbeEntry.setStatus('current') hwvpIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpIndex.setStatus('current') hwvpAccuracy = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 2), Integer32()).setUnits('Hundredths of Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpAccuracy.setStatus('current') hwvpAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpAvailability.setStatus('current') hwvpCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpCaption.setStatus('current') hwvpConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpConfigManagerErrorCode.setStatus('current') hwvpConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpConfigManagerUserConfig.setStatus('current') hwvpCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpCreationClassName.setStatus('current') hwvpCurrentReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 8), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpCurrentReading.setStatus('current') hwvpDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpDescription.setStatus('current') hwvpDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpDeviceID.setStatus('current') hwvpErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpErrorCleared.setStatus('current') hwvpErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpErrorDescription.setStatus('current') hwvpInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpInstallDate.setStatus('current') hwvpIsLinear = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpIsLinear.setStatus('current') hwvpLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpLastErrorCode.setStatus('current') hwvpLowerThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 16), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpLowerThresholdCritical.setStatus('current') hwvpLowerThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 17), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpLowerThresholdFatal.setStatus('current') hwvpLowerThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 18), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpLowerThresholdNonCritical.setStatus('current') hwvpMaxReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 19), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpMaxReadable.setStatus('current') hwvpMinReadable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 20), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpMinReadable.setStatus('current') hwvpName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpName.setStatus('current') hwvpNominalReading = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 22), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpNominalReading.setStatus('current') hwvpNormalMax = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 23), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpNormalMax.setStatus('current') hwvpNormalMin = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 24), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpNormalMin.setStatus('current') hwvpPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 25), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpPNPDeviceID.setStatus('current') hwvpPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpPowerManagementCapabilities.setStatus('current') hwvpPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpPowerManagementSupported.setStatus('current') hwvpResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 28), Gauge32()).setUnits('Tenths of Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpResolution.setStatus('current') hwvpStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpStatus.setStatus('current') hwvpStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpStatusInfo.setStatus('current') hwvpSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpSystemCreationClassName.setStatus('current') hwvpSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpSystemName.setStatus('current') hwvpTolerance = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 33), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpTolerance.setStatus('current') hwvpUpperThresholdCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 34), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpUpperThresholdCritical.setStatus('current') hwvpUpperThresholdFatal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 35), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpUpperThresholdFatal.setStatus('current') hwvpUpperThresholdNonCritical = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 6, 5, 1, 36), Integer32()).setUnits('Millivolts').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvpUpperThresholdNonCritical.setStatus('current') wmiPrinting = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7)) if mibBuilder.loadTexts: wmiPrinting.setStatus('current') win32PrinterTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1), ) if mibBuilder.loadTexts: win32PrinterTable.setStatus('current') win32PrinterEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwprIndex")) if mibBuilder.loadTexts: win32PrinterEntry.setStatus('current') hwprIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprIndex.setStatus('current') hwprAttributes = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprAttributes.setStatus('current') hwprAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 3), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningOrFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprAvailability.setStatus('current') hwprAvailableJobSheets = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprAvailableJobSheets.setStatus('current') hwprAveragePagesPerMinute = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 5), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprAveragePagesPerMinute.setStatus('current') hwprCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCapabilities.setStatus('current') hwprCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCapabilityDescriptions.setStatus('current') hwprCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 8), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCaption.setStatus('current') hwprCharSetsSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCharSetsSupported.setStatus('current') hwprComment = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprComment.setStatus('current') hwprConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprConfigManagerErrorCode.setStatus('current') hwprConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 12), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprConfigManagerUserConfig.setStatus('current') hwprCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCreationClassName.setStatus('current') hwprCurrentCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentCapabilities.setStatus('current') hwprCurrentCharSet = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentCharSet.setStatus('current') hwprCurrentLanguage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("pcl", 3), ("hpgl", 4), ("pjl", 5), ("ps", 6), ("psprinter", 7), ("ipds", 8), ("ppds", 9), ("escapeP", 10), ("epson", 11), ("ddif", 12), ("interpress", 13), ("iso6429", 14), ("lineData", 15), ("dodca", 16), ("regis", 17), ("scs", 18), ("spdl", 19), ("tek4014", 20), ("pds", 21), ("igp", 22), ("codeV", 23), ("dscdse", 24), ("wps", 25), ("ln03", 26), ("ccitt", 27), ("quic", 28), ("cpap", 29), ("decPPL", 30), ("simpleText", 31), ("npap", 32), ("doc", 33), ("imPress", 34), ("pinwriter", 35), ("npdl", 36), ("nec201PL", 37), ("automatic", 38), ("pages", 39), ("lips", 40), ("tiff", 41), ("diagnostic", 42), ("caPSL", 43), ("excl", 44), ("lcds", 45), ("xes", 46), ("mime", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentLanguage.setStatus('current') hwprCurrentMimeType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentMimeType.setStatus('current') hwprCurrentNaturalLanguage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentNaturalLanguage.setStatus('current') hwprCurrentPaperType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprCurrentPaperType.setStatus('current') hwprDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 20), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefault.setStatus('current') hwprDefaultCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultCapabilities.setStatus('current') hwprDefaultCopies = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 22), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultCopies.setStatus('current') hwprDefaultLanguage = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46, 47))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("pcl", 3), ("hpgl", 4), ("pjl", 5), ("ps", 6), ("psprinter", 7), ("ipds", 8), ("ppds", 9), ("escapeP", 10), ("epson", 11), ("ddif", 12), ("interpress", 13), ("iso6429", 14), ("lineData", 15), ("dodca", 16), ("regis", 17), ("scs", 18), ("spdl", 19), ("tek4014", 20), ("pds", 21), ("igp", 22), ("codeV", 23), ("dscdse", 24), ("wps", 25), ("ln03", 26), ("ccitt", 27), ("quic", 28), ("cpap", 29), ("decPPL", 30), ("simpleText", 31), ("npap", 32), ("doc", 33), ("imPress", 34), ("pinwriter", 35), ("npdl", 36), ("nec201PL", 37), ("automatic", 38), ("pages", 39), ("lips", 40), ("tiff", 41), ("diagnostic", 42), ("caPSL", 43), ("excl", 44), ("lcds", 45), ("xes", 46), ("mime", 47)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultLanguage.setStatus('current') hwprDefaultMimeType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 24), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultMimeType.setStatus('current') hwprDefaultNumberUp = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultNumberUp.setStatus('current') hwprDefaultPaperType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultPaperType.setStatus('current') hwprDefaultPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDefaultPriority.setStatus('current') hwprDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDescription.setStatus('current') hwprDetectedErrorState = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("noError", 3), ("lowPaper", 4), ("noPaper", 5), ("lowToner", 6), ("noToner", 7), ("doorOpen", 8), ("jammed", 9), ("offline", 10), ("serviceRequested", 11), ("outputBinFull", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDetectedErrorState.setStatus('current') hwprDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDeviceID.setStatus('current') hwprDirect = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 31), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDirect.setStatus('current') hwprDoCompleteFirst = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 32), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDoCompleteFirst.setStatus('current') hwprDriverName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprDriverName.setStatus('current') hwprEnableBIDI = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 34), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprEnableBIDI.setStatus('current') hwprEnableDevQueryPrint = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 35), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprEnableDevQueryPrint.setStatus('current') hwprErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 36), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprErrorCleared.setStatus('current') hwprErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 37), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprErrorDescription.setStatus('current') hwprErrorInformation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 38), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprErrorInformation.setStatus('current') hwprExtendedDetectedErrorState = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 39), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("noError", 2), ("lowPaper", 3), ("noPaper", 4), ("lowToner", 5), ("noToner", 6), ("doorOpen", 7), ("jammed", 8), ("serviceRequested", 9), ("outputBinFull", 10), ("paperProblem", 11), ("cannotPrintPage", 12), ("userInterventionRequired", 13), ("outOfMemory", 14), ("serverUnknown", 15)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprExtendedDetectedErrorState.setStatus('current') hwprExtendedPrinterStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 40), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("idle", 3), ("printing", 4), ("warmup", 5), ("stoppedPrinting", 6), ("offline", 7), ("paused", 8), ("error", 9), ("busy", 10), ("notAvailable", 11), ("waiting", 12), ("processing", 13), ("initialization", 14), ("powerSave", 15), ("pendingDeletion", 16), ("iOActive", 17), ("manualFeed", 18)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprExtendedPrinterStatus.setStatus('current') hwprHidden = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 41), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprHidden.setStatus('current') hwprHorizontalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 42), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprHorizontalResolution.setStatus('current') hwprInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 43), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprInstallDate.setStatus('current') hwprJobCountSinceLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 44), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprJobCountSinceLastReset.setStatus('current') hwprKeepPrintedJobs = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 45), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprKeepPrintedJobs.setStatus('current') hwprLanguagesSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 46), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprLanguagesSupported.setStatus('current') hwprLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 47), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprLastErrorCode.setStatus('current') hwprLocal = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 48), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprLocal.setStatus('current') hwprLocation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 49), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprLocation.setStatus('current') hwprMarkingTechnology = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("electrophotographicLED", 3), ("electrophotographicLaser", 4), ("electrophotographicOther", 5), ("impactMovingHeadDotMatrix9pin", 6), ("impactMovingHeadDotMatrix24pin", 7), ("impactMovingHeadDotMatrixOther", 8), ("impactMovingHeadFullyFormed", 9), ("impactBand", 10), ("impactOther", 11), ("inkjetAqueous", 12), ("inkjetSolid", 13), ("inkjetOther", 14), ("pen", 15), ("thermalTransfer", 16), ("thermalSensitive", 17), ("thermalDiffusion", 18), ("thermalOther", 19), ("electroerosion", 20), ("electrostatic", 21), ("photographicMicrofiche", 22), ("photographicImagesetter", 23), ("photographicOther", 24), ("ionDeposition", 25), ("eBeam", 26), ("typesetter", 27)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprMarkingTechnology.setStatus('current') hwprMaxCopies = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 51), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprMaxCopies.setStatus('current') hwprMaxNumberUp = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 52), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprMaxNumberUp.setStatus('current') hwprMaxSizeSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 53), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprMaxSizeSupported.setStatus('current') hwprMimeTypesSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 54), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprMimeTypesSupported.setStatus('current') hwprName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 55), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprName.setStatus('current') hwprNaturalLanguagesSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 56), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprNaturalLanguagesSupported.setStatus('current') hwprNetwork = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 57), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprNetwork.setStatus('current') hwprPaperSizesSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 58), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPaperSizesSupported.setStatus('current') hwprPaperTypesAvailable = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 59), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPaperTypesAvailable.setStatus('current') hwprParameters = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 60), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprParameters.setStatus('current') hwprPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 61), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPNPDeviceID.setStatus('current') hwprPortName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 62), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPortName.setStatus('current') hwprPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 63), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPowerManagementCapabilities.setStatus('current') hwprPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 64), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPowerManagementSupported.setStatus('current') hwprPrinterPaperNames = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 65), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPrinterPaperNames.setStatus('current') hwprPrinterState = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 66), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25))).clone(namedValues=NamedValues(("paused", 1), ("error", 2), ("pendingDeletion", 3), ("paperJam", 4), ("paperOut", 5), ("manualFeed", 6), ("paperProblem", 7), ("offline", 8), ("ioActive", 9), ("busy", 10), ("printing", 11), ("outputBinFull", 12), ("notAvailable", 13), ("waiting", 14), ("processing", 15), ("initialization", 16), ("warmingUp", 17), ("tonerLow", 18), ("noToner", 19), ("pagePunt", 20), ("userInterventionRequired", 21), ("outOfMemory", 22), ("doorOpen", 23), ("serverUnknown", 24), ("powerSave", 25)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPrinterState.setStatus('current') hwprPrinterStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("idle", 3), ("printing", 4), ("warmup", 5), ("stoppedPrinting", 6), ("offline", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPrinterStatus.setStatus('current') hwprPrintJobDataType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 68), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPrintJobDataType.setStatus('current') hwprPrintProcessor = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 69), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPrintProcessor.setStatus('current') hwprPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 70), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPriority.setStatus('current') hwprPublished = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 71), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprPublished.setStatus('current') hwprQueued = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 72), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprQueued.setStatus('current') hwprRawOnly = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 73), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprRawOnly.setStatus('current') hwprSeparatorFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 74), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprSeparatorFile.setStatus('current') hwprServerName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 75), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprServerName.setStatus('current') hwprShared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 76), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprShared.setStatus('current') hwprShareName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 77), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprShareName.setStatus('current') hwprSpoolEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 78), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprSpoolEnabled.setStatus('current') hwprStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 79), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprStartTime.setStatus('current') hwprStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 80), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprStatus.setStatus('current') hwprStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 81), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprStatusInfo.setStatus('current') hwprSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 82), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprSystemCreationClassName.setStatus('current') hwprSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 83), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprSystemName.setStatus('current') hwprTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 84), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprTimeOfLastReset.setStatus('current') hwprUntilTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 85), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprUntilTime.setStatus('current') hwprVerticalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 86), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprVerticalResolution.setStatus('current') hwprWorkOffline = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 1, 1, 87), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprWorkOffline.setStatus('current') win32PrinterConfigurationTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2), ) if mibBuilder.loadTexts: win32PrinterConfigurationTable.setStatus('current') win32PrinterConfigurationEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwprcIndex")) if mibBuilder.loadTexts: win32PrinterConfigurationEntry.setStatus('current') hwprcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcIndex.setStatus('current') hwprcBitsPerPel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 2), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcBitsPerPel.setStatus('current') hwprcCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcCaption.setStatus('current') hwprcCollate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 4), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcCollate.setStatus('current') hwprcColor = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("monochrome", 1), ("color", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcColor.setStatus('current') hwprcCopies = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 6), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcCopies.setStatus('current') hwprcDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDescription.setStatus('current') hwprcDeviceName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDeviceName.setStatus('current') hwprcDisplayFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDisplayFlags.setStatus('current') hwprcDisplayFrequency = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDisplayFrequency.setStatus('current') hwprcDitherType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("noDithering", 1), ("coarseBrush", 2), ("fineBrush", 3), ("lineArt", 4), ("greyscale", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDitherType.setStatus('current') hwprcDriverVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 12), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDriverVersion.setStatus('current') hwprcDuplex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 13), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcDuplex.setStatus('current') hwprcFormName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcFormName.setStatus('current') hwprcHorizontalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 15), Gauge32()).setUnits('dots per inch').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcHorizontalResolution.setStatus('current') hwprcICMIntent = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 16), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("saturation", 1), ("contrast", 2), ("exactColor", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcICMIntent.setStatus('current') hwprcICMMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 17), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("windows", 2), ("deviceDriver", 3), ("device", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcICMMethod.setStatus('current') hwprcLogPixels = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 18), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcLogPixels.setStatus('current') hwprcMediaType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("standard", 1), ("transparency", 2), ("glossy", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcMediaType.setStatus('current') hwprcName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 20), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcName.setStatus('current') hwprcOrientation = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("portrait", 1), ("landscape", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcOrientation.setStatus('current') hwprcPaperLength = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 22), Gauge32()).setUnits('Tenths of a Millimeter').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPaperLength.setStatus('current') hwprcPaperSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPaperSize.setStatus('current') hwprcPaperWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 24), Gauge32()).setUnits('Tenths of a Millimeter').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPaperWidth.setStatus('current') hwprcPelsHeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPelsHeight.setStatus('current') hwprcPelsWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 26), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPelsWidth.setStatus('current') hwprcPrintQuality = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 27), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcPrintQuality.setStatus('current') hwprcScale = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 28), Gauge32()).setUnits('Percent').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcScale.setStatus('current') hwprcSettingID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 29), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcSettingID.setStatus('current') hwprcSpecificationVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 30), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcSpecificationVersion.setStatus('current') hwprcTTOption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 31), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("bitmap", 1), ("download", 2), ("substitute", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcTTOption.setStatus('current') hwprcVerticalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 32), Gauge32()).setUnits('dots per inch').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcVerticalResolution.setStatus('current') hwprcXResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 33), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcXResolution.setStatus('current') hwprcYResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 2, 1, 34), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprcYResolution.setStatus('current') win32PrinterDriverTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3), ) if mibBuilder.loadTexts: win32PrinterDriverTable.setStatus('current') win32PrinterDriverEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1), ).setIndexNames((0, "INFORMANT-HW", "hwprdIndex")) if mibBuilder.loadTexts: win32PrinterDriverEntry.setStatus('current') hwprdIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdIndex.setStatus('current') hwprdCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 2), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdCaption.setStatus('current') hwprdConfigFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdConfigFile.setStatus('current') hwprdCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdCreationClassName.setStatus('current') hwprdDataFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdDataFile.setStatus('current') hwprdDefaultDataType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdDefaultDataType.setStatus('current') hwprdDependentFiles = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdDependentFiles.setStatus('current') hwprdDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdDescription.setStatus('current') hwprdDriverPath = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdDriverPath.setStatus('current') hwprdFilePath = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdFilePath.setStatus('current') hwprdHelpFile = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdHelpFile.setStatus('current') hwprdInfName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdInfName.setStatus('current') hwprdInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdInstallDate.setStatus('current') hwprdMonitorName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdMonitorName.setStatus('current') hwprdName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdName.setStatus('current') hwprdOEMUrl = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdOEMUrl.setStatus('current') hwprdStarted = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 17), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdStarted.setStatus('current') hwprdStartMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2))).clone(namedValues=NamedValues(("automatic", 1), ("manual", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdStartMode.setStatus('current') hwprdStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdStatus.setStatus('current') hwprdSupportedPlatform = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdSupportedPlatform.setStatus('current') hwprdSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdSystemCreationClassName.setStatus('current') hwprdSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdSystemName.setStatus('current') hwprdVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 3, 1, 23), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3))).clone(namedValues=NamedValues(("win9x", 0), ("win351", 1), ("nt40", 2), ("win2k", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprdVersion.setStatus('current') win32PrintJobTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4), ) if mibBuilder.loadTexts: win32PrintJobTable.setStatus('current') win32PrintJobEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1), ).setIndexNames((0, "INFORMANT-HW", "hwprjIndex")) if mibBuilder.loadTexts: win32PrintJobEntry.setStatus('current') hwprjIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjIndex.setStatus('current') hwprjCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 2), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjCaption.setStatus('current') hwprjDataType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjDataType.setStatus('current') hwprjDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjDescription.setStatus('current') hwprjDocument = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjDocument.setStatus('current') hwprjDriverName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjDriverName.setStatus('current') hwprjElapsedTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 7), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjElapsedTime.setStatus('current') hwprjHostPrintQueue = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjHostPrintQueue.setStatus('current') hwprjInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 9), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjInstallDate.setStatus('current') hwprjJobId = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 10), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjJobId.setStatus('current') hwprjJobStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 11), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjJobStatus.setStatus('current') hwprjName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjName.setStatus('current') hwprjNotify = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 13), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjNotify.setStatus('current') hwprjOwner = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjOwner.setStatus('current') hwprjPagesPrinted = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjPagesPrinted.setStatus('current') hwprjParameters = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjParameters.setStatus('current') hwprjPrintProcessor = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjPrintProcessor.setStatus('current') hwprjPriority = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 18), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjPriority.setStatus('current') hwprjSize = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 19), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjSize.setStatus('current') hwprjStartTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 20), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjStartTime.setStatus('current') hwprjStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 21), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjStatus.setStatus('current') hwprjStatusMask = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 22), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16, 32, 64, 128, 256, 512, 1024, 2948))).clone(namedValues=NamedValues(("paused", 1), ("error", 2), ("deleting", 4), ("spooling", 8), ("printing", 16), ("offline", 32), ("paperout", 64), ("printed", 128), ("deleted", 256), ("blockedDevQ", 512), ("userInterventionReq", 1024), ("restart", 2948)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjStatusMask.setStatus('current') hwprjTimeSubmitted = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 23), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjTimeSubmitted.setStatus('current') hwprjTotalPages = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 24), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjTotalPages.setStatus('current') hwprjUntilTime = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 4, 1, 25), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwprjUntilTime.setStatus('current') win32TCPIPPrinterPortTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5), ) if mibBuilder.loadTexts: win32TCPIPPrinterPortTable.setStatus('current') win32TCPIPPrinterPortEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1), ).setIndexNames((0, "INFORMANT-HW", "hwtppIndex")) if mibBuilder.loadTexts: win32TCPIPPrinterPortEntry.setStatus('current') hwtppIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppIndex.setStatus('current') hwtppByteCount = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 2), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppByteCount.setStatus('current') hwtppCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 3), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppCaption.setStatus('current') hwtppCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 4), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppCreationClassName.setStatus('current') hwtppDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppDescription.setStatus('current') hwtppHostAddress = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppHostAddress.setStatus('current') hwtppInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 7), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppInstallDate.setStatus('current') hwtppName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 8), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppName.setStatus('current') hwtppPortNumber = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppPortNumber.setStatus('current') hwtppProtocol = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1))).clone(namedValues=NamedValues(("raw", 0), ("lpr", 1)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppProtocol.setStatus('current') hwtppQueue = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppQueue.setStatus('current') hwtppSNMPCommunity = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppSNMPCommunity.setStatus('current') hwtppSNMPDevIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 13), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppSNMPDevIndex.setStatus('current') hwtppSNMPEnabled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppSNMPEnabled.setStatus('current') hwtppStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 15), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppStatus.setStatus('current') hwtppSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 16), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppSystemCreationClassName.setStatus('current') hwtppSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 17), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppSystemName.setStatus('current') hwtppType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 7, 5, 1, 18), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 4, 8, 16))).clone(namedValues=NamedValues(("n0x1Write", 1), ("n0x2Read", 2), ("n0x4Redirected", 4), ("n0x8NetAttached", 8), ("n0x10Unknown", 16)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwtppType.setStatus('current') wmiTelephony = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8)) if mibBuilder.loadTexts: wmiTelephony.setStatus('current') win32POTSModemTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1), ) if mibBuilder.loadTexts: win32POTSModemTable.setStatus('current') win32POTSModemEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwpmIndex")) if mibBuilder.loadTexts: win32POTSModemEntry.setStatus('current') hwpmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmIndex.setStatus('current') hwpmAnswerMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("disabled", 3), ("manualAnswer", 4), ("autoAnswer", 5), ("autoAnswerWithCallBack", 6)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmAnswerMode.setStatus('current') hwpmAttachedTo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmAttachedTo.setStatus('current') hwpmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 4), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmAvailability.setStatus('current') hwpmBlindOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 5), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmBlindOff.setStatus('current') hwpmBlindOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 6), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmBlindOn.setStatus('current') hwpmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCaption.setStatus('current') hwpmCompatibilityFlags = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCompatibilityFlags.setStatus('current') hwpmCompressionInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 9), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("noCompression", 3), ("mnp5", 4), ("v42bis", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCompressionInfo.setStatus('current') hwpmCompressionOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 10), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCompressionOff.setStatus('current') hwpmCompressionOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 11), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCompressionOn.setStatus('current') hwpmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 12), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmConfigManagerErrorCode.setStatus('current') hwpmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 13), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmConfigManagerUserConfig.setStatus('current') hwpmConfigurationDialog = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 14), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmConfigurationDialog.setStatus('current') hwpmCountriesSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 15), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCountriesSupported.setStatus('current') hwpmCountrySelected = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCountrySelected.setStatus('current') hwpmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCreationClassName.setStatus('current') hwpmCurrentPasswords = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmCurrentPasswords.setStatus('current') hwpmDCB = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 19), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDCB.setStatus('current') hwpmDefault = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 20), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDefault.setStatus('current') hwpmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDescription.setStatus('current') hwpmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDeviceID.setStatus('current') hwpmDeviceLoader = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 23), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDeviceLoader.setStatus('current') hwpmDeviceType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("nullModem", 1), ("internalModem", 2), ("externalModem", 3), ("pcmciaModem", 4), ("unknown", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDeviceType.setStatus('current') hwpmDialType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 25), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("unknown", 0), ("tone", 1), ("pulse", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDialType.setStatus('current') hwpmDriverDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 26), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmDriverDate.setStatus('current') hwpmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorCleared.setStatus('current') hwpmErrorControlForced = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorControlForced.setStatus('current') hwpmErrorControlInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("noErrorCorrection", 3), ("mnp4", 4), ("lapm", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorControlInfo.setStatus('current') hwpmErrorControlOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 30), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorControlOff.setStatus('current') hwpmErrorControlOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorControlOn.setStatus('current') hwpmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmErrorDescription.setStatus('current') hwpmFlowControlHard = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 33), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmFlowControlHard.setStatus('current') hwpmFlowControlOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmFlowControlOff.setStatus('current') hwpmFlowControlSoft = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 35), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmFlowControlSoft.setStatus('current') hwpmInactivityScale = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 36), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmInactivityScale.setStatus('current') hwpmInactivityTimeout = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 37), Gauge32()).setUnits('Seconds').setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmInactivityTimeout.setStatus('current') hwpmModemIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 38), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModemIndex.setStatus('current') hwpmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 39), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmInstallDate.setStatus('current') hwpmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 40), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmLastErrorCode.setStatus('current') hwpmMaxBaudRateToPhone = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 41), Gauge32()).setUnits('Bits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmMaxBaudRateToPhone.setStatus('current') hwpmMaxBaudRateToSerialPort = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 42), Gauge32()).setUnits('Bits per second').setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmMaxBaudRateToSerialPort.setStatus('current') hwpmMaxNumberOfPasswords = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 43), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmMaxNumberOfPasswords.setStatus('current') hwpmModel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModel.setStatus('current') hwpmModemInfPath = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 45), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModemInfPath.setStatus('current') hwpmModemInfSection = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 46), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModemInfSection.setStatus('current') hwpmModulationBell = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 47), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModulationBell.setStatus('current') hwpmModulationCCITT = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 48), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModulationCCITT.setStatus('current') hwpmModulationScheme = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 49), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("unknown", 1), ("other", 2), ("notSupported", 3), ("bell103", 4), ("bell212A", 5), ("v22bis", 6), ("v32", 7), ("v32bis", 8), ("vturbo", 9), ("vFC", 10), ("v34", 11), ("v34bis", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmModulationScheme.setStatus('current') hwpmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 50), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmName.setStatus('current') hwpmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 51), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPNPDeviceID.setStatus('current') hwpmPortSubClass = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 52), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2))).clone(namedValues=NamedValues(("parallelPort", 0), ("serialPort", 1), ("modem", 2)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPortSubClass.setStatus('current') hwpmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 53), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPowerManagementCapabilities.setStatus('current') hwpmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 54), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPowerManagementSupported.setStatus('current') hwpmPrefix = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 55), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPrefix.setStatus('current') hwpmProperties = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 56), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmProperties.setStatus('current') hwpmProviderName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 57), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmProviderName.setStatus('current') hwpmPulse = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 58), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmPulse.setStatus('current') hwpmReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 59), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmReset.setStatus('current') hwpmResponsesKeyName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 60), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmResponsesKeyName.setStatus('current') hwpmRingsBeforeAnswer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 61), Integer32().subtype(subtypeSpec=ValueRangeConstraint(0, 255))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmRingsBeforeAnswer.setStatus('current') hwpmSpeakerModeDial = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 62), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerModeDial.setStatus('current') hwpmSpeakerModeOff = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 63), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerModeOff.setStatus('current') hwpmSpeakerModeOn = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 64), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerModeOn.setStatus('current') hwpmSpeakerModeSetup = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 65), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerModeSetup.setStatus('current') hwpmSpeakerVolumeHigh = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 66), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerVolumeHigh.setStatus('current') hwpmSpeakerVolumeInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 67), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("notSupported", 2), ("high", 3), ("medium", 4), ("low", 5), ("off", 6), ("auto", 7)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerVolumeInfo.setStatus('current') hwpmSpeakerVolumeLow = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 68), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerVolumeLow.setStatus('current') hwpmSpeakerVolumeMed = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 69), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSpeakerVolumeMed.setStatus('current') hwpmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 70), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmStatus.setStatus('current') hwpmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 71), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmStatusInfo.setStatus('current') hwpmStringFormat = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 72), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmStringFormat.setStatus('current') hwpmSupportsCallback = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 73), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSupportsCallback.setStatus('current') hwpmSupportsSynchronousConnect = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 74), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSupportsSynchronousConnect.setStatus('current') hwpmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 75), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSystemCreationClassName.setStatus('current') hwpmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 76), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmSystemName.setStatus('current') hwpmTerminator = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 77), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmTerminator.setStatus('current') hwpmTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 78), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmTimeOfLastReset.setStatus('current') hwpmTone = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 79), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmTone.setStatus('current') hwpmVoiceSwitchFeature = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 8, 1, 1, 80), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwpmVoiceSwitchFeature.setStatus('current') wmiVideoMonitor = ObjectIdentity((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9)) if mibBuilder.loadTexts: wmiVideoMonitor.setStatus('current') win32DesktopMonitorTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1), ) if mibBuilder.loadTexts: win32DesktopMonitorTable.setStatus('current') win32DesktopMonitorEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1), ).setIndexNames((0, "INFORMANT-HW", "hwdmIndex")) if mibBuilder.loadTexts: win32DesktopMonitorEntry.setStatus('current') hwdmIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmIndex.setStatus('current') hwdmAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 2), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmAvailability.setStatus('current') hwdmBandwidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 3), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmBandwidth.setStatus('current') hwdmCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmCaption.setStatus('current') hwdmConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 5), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmConfigManagerErrorCode.setStatus('current') hwdmConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 6), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmConfigManagerUserConfig.setStatus('current') hwdmCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 7), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmCreationClassName.setStatus('current') hwdmDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 8), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmDescription.setStatus('current') hwdmDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 9), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmDeviceID.setStatus('current') hwdmDisplayType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("unknown", 0), ("other", 1), ("multiscanColor", 2), ("multiscanMonochrome", 3), ("fixedFrequencyColor", 4), ("fixedFrequencyMonochrome", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmDisplayType.setStatus('current') hwdmErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmErrorCleared.setStatus('current') hwdmErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 12), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmErrorDescription.setStatus('current') hwdmInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 13), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmInstallDate.setStatus('current') hwdmIsLocked = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 14), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmIsLocked.setStatus('current') hwdmLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmLastErrorCode.setStatus('current') hwdmMonitorManufacturer = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 16), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmMonitorManufacturer.setStatus('current') hwdmMonitorType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 17), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmMonitorType.setStatus('current') hwdmName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 18), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmName.setStatus('current') hwdmPixelsPerXLogicalInch = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 19), Gauge32()).setUnits('Pixels per Logical Inch').setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmPixelsPerXLogicalInch.setStatus('current') hwdmPixelsPerYLogicalInch = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 20), Gauge32()).setUnits('Pixels per Logical Inch').setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmPixelsPerYLogicalInch.setStatus('current') hwdmPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmPNPDeviceID.setStatus('current') hwdmPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmPowerManagementCapabilities.setStatus('current') hwdmPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 23), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmPowerManagementSupported.setStatus('current') hwdmScreenHeight = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 24), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmScreenHeight.setStatus('current') hwdmScreenWidth = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 25), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmScreenWidth.setStatus('current') hwdmStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 26), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmStatus.setStatus('current') hwdmStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 27), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmStatusInfo.setStatus('current') hwdmSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmSystemCreationClassName.setStatus('current') hwdmSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 1, 1, 29), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwdmSystemName.setStatus('current') win32VideoControllerTable = MibTable((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2), ) if mibBuilder.loadTexts: win32VideoControllerTable.setStatus('current') win32VideoControllerEntry = MibTableRow((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1), ).setIndexNames((0, "INFORMANT-HW", "hwvcIndex")) if mibBuilder.loadTexts: win32VideoControllerEntry.setStatus('current') hwvcIndex = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 1), Integer32().subtype(subtypeSpec=ValueRangeConstraint(1, 2147483647))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcIndex.setStatus('current') hwvcAcceleratorCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 2), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcAcceleratorCapabilities.setStatus('current') hwvcAdapterCompatibility = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 3), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcAdapterCompatibility.setStatus('current') hwvcAdapterDACType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 4), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcAdapterDACType.setStatus('current') hwvcAdapterRAM = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 5), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcAdapterRAM.setStatus('current') hwvcAvailability = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 6), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("runningFullPower", 3), ("warning", 4), ("inTest", 5), ("notApplicable", 6), ("powerOff", 7), ("offLine", 8), ("offDuty", 9), ("degraded", 10), ("notInstalled", 11), ("installError", 12), ("powerSaveUnknown", 13), ("powerSaveLowPowerMode", 14), ("powerSaveStandby", 15), ("powerCycle", 16), ("powerSaveWarning", 17), ("paused", 18), ("notReady", 19), ("notConfigured", 20), ("quiesced", 21)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcAvailability.setStatus('current') hwvcCapabilityDescriptions = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 7), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCapabilityDescriptions.setStatus('current') hwvcCaption = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 8), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 64))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCaption.setStatus('current') hwvcColorTableEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 9), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcColorTableEntries.setStatus('current') hwvcConfigManagerErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 10), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31))).clone(namedValues=NamedValues(("workingProperly", 0), ("notConfigured", 1), ("cannotLoad", 2), ("lowResource", 3), ("driverCorrupted", 4), ("needResource", 5), ("bootConflicts", 6), ("cannotFilter", 7), ("driverLoaderMissing", 8), ("resourceIncorrect", 9), ("cannotStart", 10), ("deviceFailed", 11), ("noFreeResources", 12), ("cannotVerifyResources", 13), ("restartComputer", 14), ("reenumerationProblem", 15), ("cannotIdentify", 16), ("unknownResourceType", 17), ("reinstallDrivers", 18), ("failedVXDloader", 19), ("registryCorrupted", 20), ("systemFailure", 21), ("deviceDisabled", 22), ("systemFailuer2", 23), ("deviceProblem", 24), ("settingUpDevice", 25), ("settingUpDevice2", 26), ("invalidLogConfiguration", 27), ("driversNotInstalled", 28), ("missingResources", 29), ("conflictIRQ", 30), ("cannotLoadDrivers", 31)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcConfigManagerErrorCode.setStatus('current') hwvcConfigManagerUserConfig = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 11), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcConfigManagerUserConfig.setStatus('current') hwvcCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 12), WtcsDisplayString().subtype(subtypeSpec=ValueSizeConstraint(0, 256))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCreationClassName.setStatus('current') hwvcCurrentBitsPerPixel = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 13), Gauge32()).setUnits('Bits').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentBitsPerPixel.setStatus('current') hwvcCurrentHorizontalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 14), Gauge32()).setUnits('Pixels').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentHorizontalResolution.setStatus('current') hwvcCurrentNumberOfColors = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 15), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentNumberOfColors.setStatus('current') hwvcCurrentNumberOfColumns = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 16), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentNumberOfColumns.setStatus('current') hwvcCurrentNumberOfRows = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 17), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentNumberOfRows.setStatus('current') hwvcCurrentRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 18), Gauge32()).setUnits('Hertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentRefreshRate.setStatus('current') hwvcCurrentScanMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 19), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("interlaced", 3), ("nonInterlaced", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentScanMode.setStatus('current') hwvcCurrentVerticalResolution = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 20), Gauge32()).setUnits('Pixels').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcCurrentVerticalResolution.setStatus('current') hwvcDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 21), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDescription.setStatus('current') hwvcDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 22), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDeviceID.setStatus('current') hwvcDeviceSpecificPens = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 23), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDeviceSpecificPens.setStatus('current') hwvcDitherType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 24), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("noDithering", 1), ("ditheringWithACoarseBrush", 2), ("ditheringWithAFineBrush", 3), ("lineArtDithering", 4), ("deviceDoesGrayScaling", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDitherType.setStatus('current') hwvcDriverDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 25), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDriverDate.setStatus('current') hwvcDriverVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 26), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcDriverVersion.setStatus('current') hwvcErrorCleared = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 27), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcErrorCleared.setStatus('current') hwvcErrorDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 28), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcErrorDescription.setStatus('current') hwvcICMIntent = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 29), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3))).clone(namedValues=NamedValues(("saturation", 1), ("contrast", 2), ("exactColor", 3)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcICMIntent.setStatus('current') hwvcICMMethod = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 30), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4))).clone(namedValues=NamedValues(("disabled", 1), ("windows", 2), ("deviceDriver", 3), ("destinationDevice", 4)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcICMMethod.setStatus('current') hwvcInfFilename = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 31), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcInfFilename.setStatus('current') hwvcInfSection = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 32), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcInfSection.setStatus('current') hwvcInstallDate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 33), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcInstallDate.setStatus('current') hwvcInstalledDisplayDrivers = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 34), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcInstalledDisplayDrivers.setStatus('current') hwvcLastErrorCode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 35), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcLastErrorCode.setStatus('current') hwvcMaxMemorySupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 36), Gauge32()).setUnits('Bytes').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcMaxMemorySupported.setStatus('current') hwvcMaxNumberControlled = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 37), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcMaxNumberControlled.setStatus('current') hwvcMaxRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 38), Gauge32()).setUnits('Hertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcMaxRefreshRate.setStatus('current') hwvcMinRefreshRate = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 39), Gauge32()).setUnits('Hertz').setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcMinRefreshRate.setStatus('current') hwvcMonochrome = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 40), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcMonochrome.setStatus('current') hwvcName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 41), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcName.setStatus('current') hwvcNumberOfColorPlanes = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 42), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcNumberOfColorPlanes.setStatus('current') hwvcNumberOfVideoPages = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 43), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcNumberOfVideoPages.setStatus('current') hwvcPNPDeviceID = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 44), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcPNPDeviceID.setStatus('current') hwvcPowerManagementCapabilities = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 45), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcPowerManagementCapabilities.setStatus('current') hwvcPowerManagementSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 46), TruthValue()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcPowerManagementSupported.setStatus('current') hwvcProtocolSupported = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 47), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(0, 1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13, 14, 15, 16, 17, 18, 19, 20, 21, 22, 23, 24, 25, 26, 27, 28, 29, 30, 31, 32, 33, 34, 35, 36, 37, 38, 39, 40, 41, 42, 43, 44, 45, 46))).clone(namedValues=NamedValues(("other", 0), ("unknown", 1), ("eisa", 2), ("isa", 3), ("pci", 4), ("ataATAPI", 5), ("flexibleDiskette", 6), ("n1496", 7), ("scsiParallelInterface", 8), ("scsiFibreChannelProtocol", 9), ("scsiSerialBusProtocol", 10), ("scsiSerialBusProtocol1394", 11), ("scsiSerialStorageArchitecture", 12), ("vesa", 13), ("pcmcia", 14), ("universalSerialBus", 15), ("parallelProtocol", 16), ("escon", 17), ("diagnostic", 18), ("i2C", 19), ("power", 20), ("hippi", 21), ("multiBus", 22), ("vme", 23), ("ipi", 24), ("ieee488", 25), ("rs232", 26), ("ieee802310BASE5", 27), ("ieee802310BASE2", 28), ("ieee80231BASE5", 29), ("ieee802310BROAD36", 30), ("ieee8023100BASEVG", 31), ("ieee8025TokenRing", 32), ("ansiX3T95FDDI", 33), ("mca", 34), ("esdi", 35), ("ide", 36), ("cmd", 37), ("st506", 38), ("dssi", 39), ("qic2", 40), ("enhancedATAIDE", 41), ("agp", 42), ("twowayInfrared", 43), ("fastInfrared", 44), ("serialInfrared", 45), ("irBus", 46)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcProtocolSupported.setStatus('current') hwvcReservedSystemPaletteEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 48), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcReservedSystemPaletteEntries.setStatus('current') hwvcSpecificationVersion = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 49), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcSpecificationVersion.setStatus('current') hwvcStatus = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 50), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12))).clone(namedValues=NamedValues(("ok", 1), ("error", 2), ("degraded", 3), ("unknown", 4), ("predFail", 5), ("starting", 6), ("stopping", 7), ("service", 8), ("stressed", 9), ("nonRecover", 10), ("noContact", 11), ("lostComm", 12)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcStatus.setStatus('current') hwvcStatusInfo = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 51), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("enabled", 3), ("disabled", 4), ("notApplicable", 5)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcStatusInfo.setStatus('current') hwvcSystemCreationClassName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 52), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcSystemCreationClassName.setStatus('current') hwvcSystemName = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 53), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcSystemName.setStatus('current') hwvcSystemPaletteEntries = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 54), Gauge32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcSystemPaletteEntries.setStatus('current') hwvcTimeOfLastReset = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 55), DateAndTime()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcTimeOfLastReset.setStatus('current') hwvcVideoArchitecture = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 56), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 160))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("cga", 3), ("ega", 4), ("vga", 5), ("svga", 6), ("mda", 7), ("hgc", 8), ("mcga", 9), ("n8514A", 10), ("xga", 11), ("linearFrameBuffer", 12), ("pc98", 160)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcVideoArchitecture.setStatus('current') hwvcVideoMemoryType = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 57), Integer32().subtype(subtypeSpec=ConstraintsUnion(SingleValueConstraint(1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12, 13))).clone(namedValues=NamedValues(("other", 1), ("unknown", 2), ("vram", 3), ("dram", 4), ("sram", 5), ("wram", 6), ("edoRAM", 7), ("burstSynchronousDRAM", 8), ("pipelinedBurstSRAM", 9), ("cdram", 10), ("n3DRAM", 11), ("sdram", 12), ("sgram", 13)))).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcVideoMemoryType.setStatus('current') hwvcVideoMode = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 58), Integer32()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcVideoMode.setStatus('current') hwvcVideoModeDescription = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 59), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcVideoModeDescription.setStatus('current') hwvcVideoProcessor = MibTableColumn((1, 3, 6, 1, 4, 1, 9600, 1, 21, 9, 2, 1, 60), WtcsDisplayString()).setMaxAccess("readonly") if mibBuilder.loadTexts: hwvcVideoProcessor.setStatus('current') mibBuilder.exportSymbols("INFORMANT-HW", hwcdConfigManagerUserConfig=hwcdConfigManagerUserConfig, hwobSKU=hwobSKU, hwprcPaperWidth=hwprcPaperWidth, hwpsdDriverDate=hwpsdDriverDate, hwbaName=hwbaName, hwfcPowerManagementSupported=hwfcPowerManagementSupported, hwmmAvailability=hwmmAvailability, hwddPowerManagementCapabilities=hwddPowerManagementCapabilities, hwideErrorDescription=hwideErrorDescription, hwnaSystemName=hwnaSystemName, hwbaExpectedBatteryLife=hwbaExpectedBatteryLife, win32PortConnectorEntry=win32PortConnectorEntry, hwfanSystemName=hwfanSystemName, hwnaProductName=hwnaProductName, hwcpPNPDeviceID=hwcpPNPDeviceID, hwcpNormalMax=hwcpNormalMax, hwcpUpperThresholdFatal=hwcpUpperThresholdFatal, hwkbPowerManagementCapabilities=hwkbPowerManagementCapabilities, hwucProtocolSupported=hwucProtocolSupported, hwprCaption=hwprCaption, hwspcErrorReplaceCharacter=hwspcErrorReplaceCharacter, win32FanEntry=win32FanEntry, hwprdDependentFiles=hwprdDependentFiles, hwcmIndex=hwcmIndex, hwptStatusInfo=hwptStatusInfo, hwmbSystemName=hwmbSystemName, hwprjOwner=hwprjOwner, hwhpPowerManagementSupported=hwhpPowerManagementSupported, win32MotherboardDeviceEntry=win32MotherboardDeviceEntry, hwpmaDescription=hwpmaDescription, hwsbmErrorInfo=hwsbmErrorInfo, hwscsiConfigManagerUserConfig=hwscsiConfigManagerUserConfig, hwpmIndex=hwpmIndex, hwbaCreationClassName=hwbaCreationClassName, hwpsdSigner=hwpsdSigner, hwtdManufacturer=hwtdManufacturer, hwpmaName=hwpmaName, hwidSystemName=hwidSystemName, hwdmStatusInfo=hwdmStatusInfo, hwtmpStatusInfo=hwtmpStatusInfo, hwpmaWeight=hwpmaWeight, hwhpAvailability=hwhpAvailability, hwkbErrorCleared=hwkbErrorCleared, hwpsdFriendlyName=hwpsdFriendlyName, hwbbOtherIdentifyingInfo=hwbbOtherIdentifyingInfo, hwcdCompressionMethod=hwcdCompressionMethod, hwuhPowerManagementSupported=hwuhPowerManagementSupported, hwpmTimeOfLastReset=hwpmTimeOfLastReset, hwpmConfigManagerUserConfig=hwpmConfigManagerUserConfig, hwfanLastErrorCode=hwfanLastErrorCode, hwuhPowerManagementCapabilities=hwuhPowerManagementCapabilities, hwtdConfigManagerErrorCode=hwtdConfigManagerErrorCode, hwideName=hwideName, hwptName=hwptName, hwpcmMaxNumberControlled=hwpcmMaxNumberControlled, hwprDefaultPaperType=hwprDefaultPaperType, hwucErrorCleared=hwucErrorCleared, hwkbDescription=hwkbDescription, hwsndSystemName=hwsndSystemName, hwprcOrientation=hwprcOrientation, hwcdTransferRate=hwcdTransferRate, hwbiSoftwareElementID=hwbiSoftwareElementID, hwsndName=hwsndName, hwpmmOtherIdentifyingInfo=hwpmmOtherIdentifyingInfo, hwvpPowerManagementSupported=hwvpPowerManagementSupported, hwkbInstallDate=hwkbInstallDate, hw1394Index=hw1394Index, hwtmpLastErrorCode=hwtmpLastErrorCode, hw1394Status=hw1394Status, hwpmdMediaType=hwpmdMediaType, hwspPowerManagementSupported=hwspPowerManagementSupported, hwseSecurityBreach=hwseSecurityBreach, hwnaDeviceID=hwnaDeviceID, hwmaErrorGranularity=hwmaErrorGranularity, hwvcCurrentRefreshRate=hwvcCurrentRefreshRate, hwspStatus=hwspStatus, hwkbLastErrorCode=hwkbLastErrorCode, hwppPowerManagementCapabilities=hwppPowerManagementCapabilities, hwmaErrorCleared=hwmaErrorCleared, hwmaLastErrorCode=hwmaLastErrorCode, hwprjCaption=hwprjCaption, hwvcName=hwvcName, hwpsdDevLoader=hwpsdDevLoader, hwbiOtherTargetOS=hwbiOtherTargetOS, hwmmCreationClassName=hwmmCreationClassName, hwcmDescription=hwcmDescription, hwcpName=hwcpName, hwppMaxNumberControlled=hwppMaxNumberControlled, hwbaFullChargeCapacity=hwbaFullChargeCapacity, hwtdNeedsCleaning=hwtdNeedsCleaning, hwcpInstallDate=hwcpInstallDate, hwbbWidth=hwbbWidth, hwpmaOtherIdentifyingInfo=hwpmaOtherIdentifyingInfo, hwmaErrorTransferSize=hwmaErrorTransferSize, hwfcIndex=hwfcIndex, hwupsPNPDeviceID=hwupsPNPDeviceID, hwvpCreationClassName=hwvpCreationClassName, hwprDefaultLanguage=hwprDefaultLanguage, hwcdDeviceID=hwcdDeviceID, hwcpuProcessorId=hwcpuProcessorId, hwpmmReplaceable=hwpmmReplaceable, hwnacConfigurationIndex=hwnacConfigurationIndex, hwmmErrorInfo=hwmmErrorInfo, hwnacIPPortSecurityEnabled=hwnacIPPortSecurityEnabled, win32SerialPortEntry=win32SerialPortEntry, hwssPartNumber=hwssPartNumber, hwvcIndex=hwvcIndex, hwnaMACAddress=hwnaMACAddress, hwfanDesiredSpeed=hwfanDesiredSpeed, hwtmpStatus=hwtmpStatus, hwbuCreationClassName=hwbuCreationClassName, hwvpStatusInfo=hwvpStatusInfo, hwvpInstallDate=hwvpInstallDate, hwupsErrorCleared=hwupsErrorCleared, wmiNetworkingDevice=wmiNetworkingDevice, hwnacWINSPrimaryServer=hwnacWINSPrimaryServer, hwcdDriveIntegrity=hwcdDriveIntegrity, hwddSystemCreationClassName=hwddSystemCreationClassName, hwirqCSName=hwirqCSName, hwpmFlowControlSoft=hwpmFlowControlSoft, hwbiReleaseDate=hwbiReleaseDate, win32DiskDriveTable=win32DiskDriveTable, hwpcmProtocolSupported=hwpcmProtocolSupported, hwspcXOffXMitThreshold=hwspcXOffXMitThreshold, hwptDeviceInterface=hwptDeviceInterface, hwhpPNPDeviceID=hwhpPNPDeviceID, win32SoundDeviceTable=win32SoundDeviceTable, hwrfgSystemCreationClassName=hwrfgSystemCreationClassName, hwmbSystemCreationClassName=hwmbSystemCreationClassName, hwspInstallDate=hwspInstallDate, hwhpConfigManagerErrorCode=hwhpConfigManagerErrorCode, hwddInterfaceType=hwddInterfaceType, hwpmSpeakerVolumeInfo=hwpmSpeakerVolumeInfo, hwasIndex=hwasIndex, hwpbTimeToFullCharge=hwpbTimeToFullCharge, win32NetworkAdapterConfigTable=win32NetworkAdapterConfigTable, hwscsiTimeOfLastReset=hwscsiTimeOfLastReset, hwcdSystemCreationClassName=hwcdSystemCreationClassName, hwseCurrentRequiredOrProduced=hwseCurrentRequiredOrProduced, hwpbMaxRechargeTime=hwpbMaxRechargeTime, hwnacIndex=hwnacIndex, win32PortableBatteryTable=win32PortableBatteryTable, hwfdCreationClassName=hwfdCreationClassName, hwnacDatabasePath=hwnacDatabasePath, hwmmPowerManagementSupported=hwmmPowerManagementSupported, hwtdPNPDeviceID=hwtdPNPDeviceID, win32VideoControllerTable=win32VideoControllerTable, hwtmpName=hwtmpName, hwssPMESignal=hwssPMESignal, hwucDeviceID=hwucDeviceID, hwcmAdditionalErrorData=hwcmAdditionalErrorData, hwddErrorCleared=hwddErrorCleared, hwpsdLocation=hwpsdLocation, hwidIndex=hwidIndex, hwuhErrorDescription=hwuhErrorDescription, hwpmTerminator=hwpmTerminator, hwupsDescription=hwupsDescription, hwdmaWordMode=hwdmaWordMode, hwcpuL3CacheSpeed=hwcpuL3CacheSpeed, hwbbStatus=hwbbStatus, hwtdDescription=hwtdDescription, hwupsTypeOfRangeSwitching=hwupsTypeOfRangeSwitching, hwpnpInstallDate=hwpnpInstallDate, hwvcDitherType=hwvcDitherType, hwmmErrorCleared=hwmmErrorCleared, hwvcSpecificationVersion=hwvcSpecificationVersion, hwspcCTSOutflowControl=hwspcCTSOutflowControl, hwspSettableParityCheck=hwspSettableParityCheck, hwddIndex=hwddIndex, hwpmaStatus=hwpmaStatus, hwprjPrintProcessor=hwprjPrintProcessor, win32RefrigerationEntry=win32RefrigerationEntry, hwcpErrorCleared=hwcpErrorCleared, hwnacWINSEnableLMHostsLookup=hwnacWINSEnableLMHostsLookup, hwcdCapabilityDescriptions=hwcdCapabilityDescriptions, hwpmdHotSwappable=hwpmdHotSwappable, hwnacPMTUBHDetectEnabled=hwnacPMTUBHDetectEnabled, hwidDeviceID=hwidDeviceID, hwvpNormalMax=hwvpNormalMax, hwprVerticalResolution=hwprVerticalResolution, hwpmmCreationClassName=hwpmmCreationClassName, hwcmErrorData=hwcmErrorData, hwrfgStatus=hwrfgStatus, hwsbmErrorDescription=hwsbmErrorDescription, hwprjIndex=hwprjIndex, hwprCurrentLanguage=hwprCurrentLanguage, hwtdMaxPartitionCount=hwtdMaxPartitionCount, hwmbLastErrorCode=hwmbLastErrorCode, hwdaName=hwdaName, hwsbmErrorData=hwsbmErrorData, hwmbStatus=hwmbStatus, hwrfgDescription=hwrfgDescription, hwpmmPoweredOn=hwpmmPoweredOn, hwirqTriggerType=hwirqTriggerType, hwpcModel=hwpcModel, hwnacArpAlwaysSourceRoute=hwnacArpAlwaysSourceRoute, win32MotherboardDeviceTable=win32MotherboardDeviceTable, hwbaSystemCreationClassName=hwbaSystemCreationClassName, hwidErrorCleared=hwidErrorCleared, hwtmpLowerThresholdFatal=hwtmpLowerThresholdFatal, hwvcCurrentNumberOfColors=hwvcCurrentNumberOfColors, hwprStatus=hwprStatus, hwptPowerManagementSupported=hwptPowerManagementSupported, hwdmPowerManagementSupported=hwdmPowerManagementSupported, win32CurrentProbeEntry=win32CurrentProbeEntry, hwtdEOTWarningZoneSize=hwtdEOTWarningZoneSize, hwpcSKU=hwpcSKU, hwvcLastErrorCode=hwvcLastErrorCode, hwcmCacheSpeed=hwcmCacheSpeed, hwprjDescription=hwprjDescription, hwddMediaLoaded=hwddMediaLoaded, hwvpUpperThresholdNonCritical=hwvpUpperThresholdNonCritical, hwspcXOnCharacter=hwspcXOnCharacter, hwfcErrorCleared=hwfcErrorCleared, hwscsiPNPDeviceID=hwscsiPNPDeviceID, hw1394ProtocolSupported=hw1394ProtocolSupported, hwideConfigManagerErrorCode=hwideConfigManagerErrorCode, hwpnpPowerManagementSupported=hwpnpPowerManagementSupported, hwssLengthAllowed=hwssLengthAllowed, hwprAvailability=hwprAvailability, hwfcCaption=hwfcCaption, hwmbPowerManagementSupported=hwmbPowerManagementSupported, hwseHeight=hwseHeight, hwsbmAvailability=hwsbmAvailability, hwppStatus=hwppStatus, hw1394SystemCreationClassName=hw1394SystemCreationClassName, hwpcmIndex=hwpcmIndex, hwuhStatus=hwuhStatus, hwvcConfigManagerErrorCode=hwvcConfigManagerErrorCode, hwprCharSetsSupported=hwprCharSetsSupported, hwbaLastErrorCode=hwbaLastErrorCode, hwdmaCSName=hwdmaCSName, hwpcCreationClassName=hwpcCreationClassName, hwkbPNPDeviceID=hwkbPNPDeviceID, hwscsiErrorCleared=hwscsiErrorCleared, hwidePowerManagementSupported=hwidePowerManagementSupported, hwprWorkOffline=hwprWorkOffline, hwcpuNumberOfCores=hwcpuNumberOfCores, hwprcPrintQuality=hwprcPrintQuality, hwvpDeviceID=hwvpDeviceID, hwmbPrimaryBusType=hwmbPrimaryBusType, hwnaConfigManagerUserConfig=hwnaConfigManagerUserConfig, hwfdErrorDescription=hwfdErrorDescription, hwscsiConfigManagerErrorCode=hwscsiConfigManagerErrorCode, hwpnpConfigManagerErrorCode=hwpnpConfigManagerErrorCode, hwfdLastErrorCode=hwfdLastErrorCode, hwpcName=hwpcName, hwfdMaxBlockSize=hwfdMaxBlockSize, hwbiCurrentLanguage=hwbiCurrentLanguage, hwcpuErrorDescription=hwcpuErrorDescription, hwvpConfigManagerUserConfig=hwvpConfigManagerUserConfig, hwpsdCompatID=hwpsdCompatID, win32FanTable=win32FanTable, hwtdName=hwtdName) mibBuilder.exportSymbols("INFORMANT-HW", hwpcManufacturer=hwpcManufacturer, hwtmpSystemCreationClassName=hwtmpSystemCreationClassName, hwtdMediaType=hwtdMediaType, hwucInstallDate=hwucInstallDate, hwtmpNormalMin=hwtmpNormalMin, hwnaName=hwnaName, hwcdMinBlockSize=hwcdMinBlockSize, win32PrinterEntry=win32PrinterEntry, hwbbDepth=hwbbDepth, wmiMotherboardControllerPort=wmiMotherboardControllerPort, hwddMaxMediaSize=hwddMaxMediaSize, hwpmInactivityScale=hwpmInactivityScale, hwmaSystemName=hwmaSystemName, hwbaPowerManagementSupported=hwbaPowerManagementSupported, hwucSystemName=hwucSystemName, hwbiListOfLanguages=hwbiListOfLanguages, hwpmCreationClassName=hwpmCreationClassName, hwdmaCreationClassName=hwdmaCreationClassName, hwnaLastErrorCode=hwnaLastErrorCode, hwirqStatus=hwirqStatus, hwbuDeviceID=hwbuDeviceID, hwdmDeviceID=hwdmDeviceID, hwmbInstallDate=hwmbInstallDate, hwppLastErrorCode=hwppLastErrorCode, hwsbmCreationClassName=hwsbmCreationClassName, hwcpErrorDescription=hwcpErrorDescription, hwptPowerManagementCapabilities=hwptPowerManagementCapabilities, hwspcRTSFlowControlType=hwspcRTSFlowControlType, hwspSettableFlowControl=hwspSettableFlowControl, hwssName=hwssName, hwddSignature=hwddSignature, hwidSystemCreationClassName=hwidSystemCreationClassName, hwpreInstallDate=hwpreInstallDate, hwspProviderType=hwspProviderType, hwseHeatGeneration=hwseHeatGeneration, hwvpAvailability=hwvpAvailability, hwmaErrorMethodology=hwmaErrorMethodology, hwnaCreationClassName=hwnaCreationClassName, hwdmInstallDate=hwdmInstallDate, hwbuBusType=hwbuBusType, hwptIndex=hwptIndex, hwupsConfigManagerUserConfig=hwupsConfigManagerUserConfig, hwpmmPositionInRow=hwpmmPositionInRow, win32SystemMemoryResourceTable=win32SystemMemoryResourceTable, hwvpPowerManagementCapabilities=hwvpPowerManagementCapabilities, hwddCaption=hwddCaption, hwkbNumberOfFunctionKeys=hwkbNumberOfFunctionKeys, hwfcLastErrorCode=hwfcLastErrorCode, hwkbAvailability=hwkbAvailability, hwpmmPartNumber=hwpmmPartNumber, hwmmName=hwmmName, hwfdPowerManagementCapabilities=hwfdPowerManagementCapabilities, hwvcCurrentVerticalResolution=hwvcCurrentVerticalResolution, hwfanDeviceID=hwfanDeviceID, hwsbmStatus=hwsbmStatus, hwsmrInstallDate=hwsmrInstallDate, win32PortResourceEntry=win32PortResourceEntry, hwideLastErrorCode=hwideLastErrorCode, hwcdStatusInfo=hwcdStatusInfo, hwdmConfigManagerUserConfig=hwdmConfigManagerUserConfig, hwpbEstimatedRunTime=hwpbEstimatedRunTime, hwobDeviceType=hwobDeviceType, hwpmErrorControlOff=hwpmErrorControlOff, hwmaErrorAccess=hwmaErrorAccess, hwfdMaxMediaSize=hwfdMaxMediaSize, hwpmdTag=hwpmdTag, hwvcColorTableEntries=hwvcColorTableEntries, win32OnBoardDeviceTable=win32OnBoardDeviceTable, hwfdAvailability=hwfdAvailability, hwprEnableBIDI=hwprEnableBIDI, win32POTSModemTable=win32POTSModemTable, hwvcICMMethod=hwvcICMMethod, hwbuStatusInfo=hwbuStatusInfo, hwtdDeviceID=hwtdDeviceID, hwobSerialNumber=hwobSerialNumber, hwprdCaption=hwprdCaption, hwpsdStarted=hwpsdStarted, hwprHidden=hwprHidden, hwcpStatus=hwcpStatus, hwcdCaption=hwcdCaption, hwspCreationClassName=hwspCreationClassName, hwmbConfigManagerUserConfig=hwmbConfigManagerUserConfig, hwpmaRemovable=hwpmaRemovable, hwbbRemovable=hwbbRemovable, hwcpuRevision=hwcpuRevision, hwspTimeOfLastReset=hwspTimeOfLastReset, hwhpLastErrorCode=hwhpLastErrorCode, hwupsBatteryInstalled=hwupsBatteryInstalled, win32FloppyControllerEntry=win32FloppyControllerEntry, hwfcCreationClassName=hwfcCreationClassName, hwideAvailability=hwideAvailability, hwcpuAddressWidth=hwcpuAddressWidth, hwtppType=hwtppType, hwpsdSystemName=hwpsdSystemName, hwpmmInterleaveDataDepth=hwpmmInterleaveDataDepth, hwprdConfigFile=hwprdConfigFile, hwfdDefaultBlockSize=hwfdDefaultBlockSize, hwnaStatus=hwnaStatus, hwddSectorsPerTrack=hwddSectorsPerTrack, hwrfgCreationClassName=hwrfgCreationClassName, hwprcSettingID=hwprcSettingID, hwtmpAvailability=hwtmpAvailability, hwprDefaultNumberUp=hwprDefaultNumberUp, hwprDescription=hwprDescription, hwbbIndex=hwbbIndex, hwfcStatusInfo=hwfcStatusInfo, hwmaErrorResolution=hwmaErrorResolution, hwpmmBankLabel=hwpmmBankLabel, hwsmrStartingAddress=hwsmrStartingAddress, hwbbHostingBoard=hwbbHostingBoard, hwpmmTotalWidth=hwpmmTotalWidth, hwpbConfigManagerUserConfig=hwpbConfigManagerUserConfig, win32UninterruptPowerSupplyEntry=win32UninterruptPowerSupplyEntry, hwdmName=hwdmName, hwscsiDeviceMap=hwscsiDeviceMap, hwidInstallDate=hwidInstallDate, hwmmNumberOfBlocks=hwmmNumberOfBlocks, hwcmMaxCacheSize=hwcmMaxCacheSize, hwdaIndex=hwdaIndex, hwuhNumberOfPorts=hwuhNumberOfPorts, hwcpAccuracy=hwcpAccuracy, hwvcPNPDeviceID=hwvcPNPDeviceID, hwpmdSKU=hwpmdSKU, hwpbDesignVoltage=hwpbDesignVoltage, hwupsCaption=hwupsCaption, hwpmStringFormat=hwpmStringFormat, hwbiLanguageEdition=hwbiLanguageEdition, win32USBControllerTable=win32USBControllerTable, hwnacIPFilterSecurityEnabled=hwnacIPFilterSecurityEnabled, hwsbmEndingAddress=hwsbmEndingAddress, hwtdStatus=hwtdStatus, hwprcDuplex=hwprcDuplex, hwbuPowerManagementSupported=hwbuPowerManagementSupported, hwseManufacturer=hwseManufacturer, win32BusTable=win32BusTable, hwfcManufacturer=hwfcManufacturer, hwprcDitherType=hwprcDitherType, hwdmPixelsPerYLogicalInch=hwdmPixelsPerYLogicalInch, hwfdMinBlockSize=hwfdMinBlockSize, hwpcInstallDate=hwpcInstallDate, win32ParallelPortTable=win32ParallelPortTable, hwspcDSRSensitivity=hwspcDSRSensitivity, hwprcPelsWidth=hwprcPelsWidth, hwuhSystemCreationClassName=hwuhSystemCreationClassName, hwtmpPNPDeviceID=hwtmpPNPDeviceID, hwpmdVersion=hwpmdVersion, hwtdCreationClassName=hwtdCreationClassName, hwfcName=hwfcName, hwpsdIsSigned=hwpsdIsSigned, hwmbStatusInfo=hwmbStatusInfo, hwmbIndex=hwmbIndex, hwhpStatus=hwhpStatus, hwhpName=hwhpName, hwptCaption=hwptCaption, hwnaMaxNumberControlled=hwnaMaxNumberControlled, hwnacMACAddress=hwnacMACAddress, hwspSettableParity=hwspSettableParity, hwprStatusInfo=hwprStatusInfo, hwscsiPowerManagementSupported=hwscsiPowerManagementSupported, hwsndManufacturer=hwsndManufacturer, hwtmpIndex=hwtmpIndex, hwpmmRemovable=hwpmmRemovable, hwrfgSystemName=hwrfgSystemName, hwbaTimeToFullCharge=hwbaTimeToFullCharge, hwddMediaType=hwddMediaType, hwvcReservedSystemPaletteEntries=hwvcReservedSystemPaletteEntries, hwsndLastErrorCode=hwsndLastErrorCode, hwmmErrorTransferSize=hwmmErrorTransferSize, hwbuSystemCreationClassName=hwbuSystemCreationClassName, hwssMaxDataWidth=hwssMaxDataWidth, hwsndStatus=hwsndStatus, hwpcPartNumber=hwpcPartNumber, hwspSettableBaudRate=hwspSettableBaudRate, hwfcConfigManagerUserConfig=hwfcConfigManagerUserConfig, hwcpuName=hwcpuName, wmiInputDevice=wmiInputDevice, hwnacInterfaceIndex=hwnacInterfaceIndex, hwrfgCaption=hwrfgCaption, hwtdPadding=hwtdPadding, win32PrinterDriverTable=win32PrinterDriverTable, hwfanCreationClassName=hwfanCreationClassName, win32PhysicalMemoryEntry=win32PhysicalMemoryEntry, hwcmPowerManagementCapabilities=hwcmPowerManagementCapabilities, hwvcInstallDate=hwvcInstallDate, hwbiSerialNumber=hwbiSerialNumber, hwpmdPoweredOn=hwpmdPoweredOn, hwucCreationClassName=hwucCreationClassName, hwcdSCSIBus=hwcdSCSIBus, hwprTimeOfLastReset=hwprTimeOfLastReset, hwspErrorCleared=hwspErrorCleared, hwvcPowerManagementCapabilities=hwvcPowerManagementCapabilities, hwvcMonochrome=hwvcMonochrome, hwssOtherIdentifyingInfo=hwssOtherIdentifyingInfo, hwidPNPDeviceID=hwidPNPDeviceID, hwcpTolerance=hwcpTolerance, hwvcAdapterRAM=hwvcAdapterRAM, hwtmpSystemName=hwtmpSystemName, hwvcSystemCreationClassName=hwvcSystemCreationClassName, hwdaEndingAddress=hwdaEndingAddress, hwcpuIndex=hwcpuIndex, hwspSupportsXOnXOff=hwspSupportsXOnXOff, hwsePartNumber=hwsePartNumber, hwspcIsBusy=hwspcIsBusy, hwbbReplaceable=hwbbReplaceable, hwpmDeviceLoader=hwpmDeviceLoader, hwpmSupportsCallback=hwpmSupportsCallback, hwmaCaption=hwmaCaption, hwcpNominalReading=hwcpNominalReading, hwprPrinterPaperNames=hwprPrinterPaperNames, hwvcSystemPaletteEntries=hwvcSystemPaletteEntries, hwseCaption=hwseCaption, hwupsSystemCreationClassName=hwupsSystemCreationClassName, hwprStartTime=hwprStartTime, hwprdInfName=hwprdInfName, hwpnpDeviceID=hwpnpDeviceID, hwcdNumberOfMediaSupported=hwcdNumberOfMediaSupported, hwspCapabilityDescriptions=hwspCapabilityDescriptions, hwssShared=hwssShared, hwvcDriverDate=hwvcDriverDate, hwvcMinRefreshRate=hwvcMinRefreshRate, hwcpuPowerManagementCapabilities=hwcpuPowerManagementCapabilities, hwsndPowerManagementCapabilities=hwsndPowerManagementCapabilities, hwtdSystemCreationClassName=hwtdSystemCreationClassName, hwpreAlias=hwpreAlias, hwnaPNPDeviceID=hwnaPNPDeviceID, hwupsFirstMessageDelay=hwupsFirstMessageDelay, win32BusEntry=win32BusEntry, hwssInstallDate=hwssInstallDate, hwucTimeOfLastReset=hwucTimeOfLastReset, hwvpErrorDescription=hwvpErrorDescription, hwprLocation=hwprLocation, hwpmCompressionInfo=hwpmCompressionInfo, hwbbTag=hwbbTag, hwcpuL2CacheSize=hwcpuL2CacheSize, hwsndProductName=hwsndProductName, hwnaStatusInfo=hwnaStatusInfo, hwpbCaption=hwpbCaption, hwmmAdditionalErrorData=hwmmAdditionalErrorData, hwcdVolumeName=hwcdVolumeName, hwpbErrorDescription=hwpbErrorDescription, hwnacIPSecPermitUDPPorts=hwnacIPSecPermitUDPPorts, hwvcAdapterCompatibility=hwvcAdapterCompatibility, hwcpuSystemCreationClassName=hwcpuSystemCreationClassName, hwpmDriverDate=hwpmDriverDate, hwprdSystemCreationClassName=hwprdSystemCreationClassName, hwupsStatusInfo=hwupsStatusInfo, hwppDMASupport=hwppDMASupport, hwprCreationClassName=hwprCreationClassName, hwssDescription=hwssDescription, hwddSCSIPort=hwddSCSIPort, hwptPNPDeviceID=hwptPNPDeviceID, hw1394Caption=hw1394Caption, hwpcmCreationClassName=hwpcmCreationClassName, hwspDeviceID=hwspDeviceID) mibBuilder.exportSymbols("INFORMANT-HW", hwsbmErrorTime=hwsbmErrorTime, hwseSMBIOSAssetTag=hwseSMBIOSAssetTag, hwspcStopBits=hwspcStopBits, hwpmSpeakerModeSetup=hwpmSpeakerModeSetup, hwcpuInstallDate=hwcpuInstallDate, hwpsdDeviceClass=hwpsdDeviceClass, hwptErrorDescription=hwptErrorDescription, hwmbErrorDescription=hwmbErrorDescription, hwddDefaultBlockSize=hwddDefaultBlockSize, hwmmSystemName=hwmmSystemName, hwbaPNPDeviceID=hwbaPNPDeviceID, hwddCapabilities=hwddCapabilities, hwpcPortType=hwpcPortType, hwsbmCaption=hwsbmCaption, hwspSettableRLSD=hwspSettableRLSD, hwupsMessageInterval=hwupsMessageInterval, hwtmpUpperThresholdCritical=hwtmpUpperThresholdCritical, hwpcConnectorPinout=hwpcConnectorPinout, win32KeyboardEntry=win32KeyboardEntry, hwpmmCaption=hwpmmCaption, win32BaseBoardTable=win32BaseBoardTable, hwvpUpperThresholdCritical=hwvpUpperThresholdCritical, hwfdConfigManagerUserConfig=hwfdConfigManagerUserConfig, hwvpAccuracy=hwvpAccuracy, hwpmdIndex=hwpmdIndex, hwpmaPoweredOn=hwpmaPoweredOn, hwvpNormalMin=hwvpNormalMin, hwpmaModel=hwpmaModel, hwfdDescription=hwfdDescription, hwcpuCreationClassName=hwcpuCreationClassName, hwvcVideoModeDescription=hwvcVideoModeDescription, hwptResolution=hwptResolution, win32SerialPortTable=win32SerialPortTable, hwprMaxNumberUp=hwprMaxNumberUp, hwfcProtocolSupported=hwfcProtocolSupported, hwsbmOtherErrorDescription=hwsbmOtherErrorDescription, hwpmConfigurationDialog=hwpmConfigurationDialog, hwpbCapacityMultiplier=hwpbCapacityMultiplier, hwprcTTOption=hwprcTTOption, hwddConfigManagerErrorCode=hwddConfigManagerErrorCode, win32CacheMemoryTable=win32CacheMemoryTable, hwddInstallDate=hwddInstallDate, hwmaAvailability=hwmaAvailability, hwirqIndex=hwirqIndex, hwucSystemCreationClassName=hwucSystemCreationClassName, win32KeyboardTable=win32KeyboardTable, hwpnpName=hwpnpName, hwuhNumberOfConfigs=hwuhNumberOfConfigs, hwcmErrorCleared=hwcmErrorCleared, hwpnpErrorDescription=hwpnpErrorDescription, hwtmpDeviceID=hwtmpDeviceID, hwucCaption=hwucCaption, hwvpUpperThresholdFatal=hwvpUpperThresholdFatal, hwvpLowerThresholdNonCritical=hwvpLowerThresholdNonCritical, hwpnpLastErrorCode=hwpnpLastErrorCode, hwcpResolution=hwcpResolution, hwddNeedsCleaning=hwddNeedsCleaning, hwseChassisTypes=hwseChassisTypes, hwpmmHotSwappable=hwpmmHotSwappable, hwtmpCreationClassName=hwtmpCreationClassName, hwsbmPNPDeviceID=hwsbmPNPDeviceID, hwbaStatusInfo=hwbaStatusInfo, hwhpDescription=hwhpDescription, hwidePowerManagementCapabilities=hwidePowerManagementCapabilities, win32InfraredDeviceTable=win32InfraredDeviceTable, hwmmErrorMethodology=hwmmErrorMethodology, hwpmaCaption=hwpmaCaption, hwrfgActiveCooling=hwrfgActiveCooling, hwpmmTypeDetail=hwpmmTypeDetail, hwmbConfigManagerErrorCode=hwmbConfigManagerErrorCode, hwspSupportsRTSCTS=hwspSupportsRTSCTS, hwprPaperTypesAvailable=hwprPaperTypesAvailable, hwbuPowerManagementCapabilities=hwbuPowerManagementCapabilities, hwsndErrorDescription=hwsndErrorDescription, hwupsIndex=hwupsIndex, hwpmBlindOff=hwpmBlindOff, hwsndInstallDate=hwsndInstallDate, hwucIndex=hwucIndex, hwsbmSystemLevelAddress=hwsbmSystemLevelAddress, hwpnpDescription=hwpnpDescription, hwcmConfigManagerErrorCode=hwcmConfigManagerErrorCode, hwupsErrorDescription=hwupsErrorDescription, hwprServerName=hwprServerName, hwcmErrorInfo=hwcmErrorInfo, hw1394ErrorDescription=hw1394ErrorDescription, hwobVersion=hwobVersion, hwdmDisplayType=hwdmDisplayType, hwprCapabilityDescriptions=hwprCapabilityDescriptions, hwnaErrorCleared=hwnaErrorCleared, hwupsTimeOnBackup=hwupsTimeOnBackup, hwbaErrorCleared=hwbaErrorCleared, hwmaDeviceID=hwmaDeviceID, win32VoltageProbeEntry=win32VoltageProbeEntry, wmiHardware=wmiHardware, hwideErrorCleared=hwideErrorCleared, hwbbProduct=hwbbProduct, hwpnpStatus=hwpnpStatus, hwprPowerManagementCapabilities=hwprPowerManagementCapabilities, hwptManufacturer=hwptManufacturer, hwssSlotDesignation=hwssSlotDesignation, hwcdMediaLoaded=hwcdMediaLoaded, hwpbPNPDeviceID=hwpbPNPDeviceID, hwpmSpeakerVolumeMed=hwpmSpeakerVolumeMed, hwtmpLowerThresholdNonCritical=hwtmpLowerThresholdNonCritical, hwpreCaption=hwpreCaption, hwpmdOtherIdentifyingInfo=hwpmdOtherIdentifyingInfo, hwnacTcpMaxConnectRetransmission=hwnacTcpMaxConnectRetransmission, hwcdAvailability=hwcdAvailability, hwddAvailability=hwddAvailability, hwbuSystemName=hwbuSystemName, hwpbStatusInfo=hwpbStatusInfo, hwnacDeadGWDetectEnabled=hwnacDeadGWDetectEnabled, hwscsiControllerTimeouts=hwscsiControllerTimeouts, hwcmCorrectableError=hwcmCorrectableError, hwucStatus=hwucStatus, hwdmaChannelTiming=hwdmaChannelTiming, hwprDefault=hwprDefault, hwnacDefaultTOS=hwnacDefaultTOS, hwtmpDescription=hwtmpDescription, hwsePoweredOn=hwsePoweredOn, hwrfgErrorCleared=hwrfgErrorCleared, hwfanConfigManagerUserConfig=hwfanConfigManagerUserConfig, hwpmDCB=hwpmDCB, hwpnpCaption=hwpnpCaption, hwobCreationClassName=hwobCreationClassName, hwcmErrorDescription=hwcmErrorDescription, hwirqCaption=hwirqCaption, hwpmErrorCleared=hwpmErrorCleared, win32PortableBatteryEntry=win32PortableBatteryEntry, hwpsdClassGuid=hwpsdClassGuid, hwspcAbortReadWriteOnError=hwspcAbortReadWriteOnError, hwprjUntilTime=hwprjUntilTime, hwspSupportsDTRDSR=hwspSupportsDTRDSR, win32SystemMemoryResourceEntry=win32SystemMemoryResourceEntry, hwptSystemCreationClassName=hwptSystemCreationClassName, hwvpTolerance=hwvpTolerance, hwdmIsLocked=hwdmIsLocked, hwcpuCaption=hwcpuCaption, hwfdCompressionMethod=hwfdCompressionMethod, hwptSystemName=hwptSystemName, hwprNetwork=hwprNetwork, hwcdStatus=hwcdStatus, hwssCurrentUsage=hwssCurrentUsage, hwtdFeaturesLow=hwtdFeaturesLow, hwpcExternalReferenceDesignator=hwpcExternalReferenceDesignator, hwnacIPSubnet=hwnacIPSubnet, hwdmaStatus=hwdmaStatus, hwnacDNSHostName=hwnacDNSHostName, win32HeatPipeEntry=win32HeatPipeEntry, hwpmInstallDate=hwpmInstallDate, hwsbmErrorCleared=hwsbmErrorCleared, hwpmCountrySelected=hwpmCountrySelected, hwpcmName=hwpcmName, hwspcParity=hwspcParity, hwucStatusInfo=hwucStatusInfo, hwtppSNMPEnabled=hwtppSNMPEnabled, hwspcCaption=hwspcCaption, hwssIndex=hwssIndex, hwptInstallDate=hwptInstallDate, hwssThermalRating=hwssThermalRating, hwcdSCSIPort=hwcdSCSIPort, hwbuConfigManagerUserConfig=hwbuConfigManagerUserConfig, hwdmSystemCreationClassName=hwdmSystemCreationClassName, hwtdSystemName=hwtdSystemName, hwupsInstallDate=hwupsInstallDate, win321394ControllerTable=win321394ControllerTable, hwprjDocument=hwprjDocument, hwdmaPort=hwdmaPort, hwddModel=hwddModel, hwprDeviceID=hwprDeviceID, hwfanDescription=hwfanDescription, hwprCurrentPaperType=hwprCurrentPaperType, hwbbHeight=hwbbHeight, hwpmdWriteProtectOn=hwpmdWriteProtectOn, hwkbPassword=hwkbPassword, hwmaConfigManagerUserConfig=hwmaConfigManagerUserConfig, hwucLastErrorCode=hwucLastErrorCode, hwcpConfigManagerErrorCode=hwcpConfigManagerErrorCode, hwnacIPAddress=hwnacIPAddress, hwppIndex=hwppIndex, hwpmaUse=hwpmaUse, hwpmmFormFactor=hwpmmFormFactor, hwptSynch=hwptSynch, hwupsRange1InputVoltageHigh=hwupsRange1InputVoltageHigh, hwvcCurrentNumberOfRows=hwvcCurrentNumberOfRows, hwssSKU=hwssSKU, hwscsiProtectionManagement=hwscsiProtectionManagement, hwpmPulse=hwpmPulse, hwidLastErrorCode=hwidLastErrorCode, hwkbName=hwkbName, hwbuInstallDate=hwbuInstallDate, hwrfgErrorDescription=hwrfgErrorDescription, hwspcIndex=hwspcIndex, hwcdIndex=hwcdIndex, hwcdSize=hwcdSize, hwssVppMixedVoltageSupport=hwssVppMixedVoltageSupport, hwpmAvailability=hwpmAvailability, hwpmaPartNumber=hwpmaPartNumber, hwdaCSCreationClassName=hwdaCSCreationClassName, hwssCaption=hwssCaption, hwpmaMemoryDevices=hwpmaMemoryDevices, win32PnPEntityEntry=win32PnPEntityEntry, hwscsiPowerManagementCapability=hwscsiPowerManagementCapability, hwpsdDriverName=hwpsdDriverName, hwpmName=hwpmName, hwmmCorrectableError=hwmmCorrectableError, win32PrintJobTable=win32PrintJobTable, hwprcPaperSize=hwprcPaperSize, hwspPNPDeviceID=hwspPNPDeviceID, hwpmModemInfPath=hwpmModemInfPath, hwpmaDepth=hwpmaDepth, hwfcSystemName=hwfcSystemName, win32PnPSignedDriverTable=win32PnPSignedDriverTable, hwprcVerticalResolution=hwprcVerticalResolution, hwbaExpectedLife=hwbaExpectedLife, hwssConnectorPinout=hwssConnectorPinout, hwcpUpperThresholdNonCritical=hwcpUpperThresholdNonCritical, hwbbCreationClassName=hwbbCreationClassName, hwpmProperties=hwpmProperties, hwpnpPowerManagementCapabilities=hwpnpPowerManagementCapabilities, hwfdManufacturer=hwfdManufacturer, hwcpuRole=hwcpuRole, hwspMaximumOutputBufferSize=hwspMaximumOutputBufferSize, hwfdSystemCreationClassName=hwfdSystemCreationClassName, hwideMaxNumberControlled=hwideMaxNumberControlled, hwupsAvailability=hwupsAvailability, hwtdDefaultBlockSize=hwtdDefaultBlockSize, hwcdPNPDeviceID=hwcdPNPDeviceID, hwprCurrentNaturalLanguage=hwprCurrentNaturalLanguage, hwpreName=hwpreName, hwidMaxNumberControlled=hwidMaxNumberControlled, hwvpSystemCreationClassName=hwvpSystemCreationClassName, hwspcBinaryModeEnabled=hwspcBinaryModeEnabled, hwpmStatusInfo=hwpmStatusInfo, hwsbmDeviceID=hwsbmDeviceID, hwnaSystemCreationClassName=hwnaSystemCreationClassName, hwpmmInterleavePosition=hwpmmInterleavePosition, hwfcPowerManagementCapabilities=hwfcPowerManagementCapabilities, hwsbmErrorResolution=hwsbmErrorResolution, hwmbErrorCleared=hwmbErrorCleared, hwidPowerManagementCapabilities=hwidPowerManagementCapabilities, hwmbDescription=hwmbDescription, hwnaTimeOfLastReset=hwnaTimeOfLastReset, win32USBHubTable=win32USBHubTable, hwbaConfigManagerUserConfig=hwbaConfigManagerUserConfig, win32CacheMemoryEntry=win32CacheMemoryEntry, hwmbDeviceID=hwmbDeviceID, hwssSpecialPurpose=hwssSpecialPurpose, win32UninterruptPowerSupplyTable=win32UninterruptPowerSupplyTable, hwpcmErrorCleared=hwpcmErrorCleared, hwsbmPowerManagementSupported=hwsbmPowerManagementSupported, hwpmdSerialNumber=hwpmdSerialNumber, win32PrinterConfigurationTable=win32PrinterConfigurationTable, hwpmPowerManagementSupported=hwpmPowerManagementSupported) mibBuilder.exportSymbols("INFORMANT-HW", hwbuIndex=hwbuIndex, hwpmMaxNumberOfPasswords=hwpmMaxNumberOfPasswords, hwprdFilePath=hwprdFilePath, hwpmModemIndex=hwpmModemIndex, hw1394SystemName=hw1394SystemName, hwdaStatus=hwdaStatus, hwcdFileSystemFlagsEx=hwcdFileSystemFlagsEx, hwpsdInstallDate=hwpsdInstallDate, hwpnpClassGuid=hwpnpClassGuid, hwpmdCreationClassName=hwpmdCreationClassName, hwcdDescription=hwcdDescription, hwsbmName=hwsbmName, hwfanVariableSpeed=hwfanVariableSpeed, hwnacDefaultIPGateway=hwnacDefaultIPGateway, hwobPartNumber=hwobPartNumber, hwpmErrorControlOn=hwpmErrorControlOn, hwcpuL3CacheSize=hwcpuL3CacheSize, hwpmdMediaDescription=hwpmdMediaDescription, hwmaNumberOfBlocks=hwmaNumberOfBlocks, hwpmCompatibilityFlags=hwpmCompatibilityFlags, hwvcNumberOfVideoPages=hwvcNumberOfVideoPages, hwtdErrorMethodology=hwtdErrorMethodology, hwptInfFileName=hwptInfFileName, hwdmaCSCreationClassName=hwdmaCSCreationClassName, hwppSystemCreationClassName=hwppSystemCreationClassName, hwbaDesignVoltage=hwbaDesignVoltage, hwmmErrorAccess=hwmmErrorAccess, hwmaBlockSize=hwmaBlockSize, hwscsiProtocolSupported=hwscsiProtocolSupported, hwmaInstallDate=hwmaInstallDate, hwprcBitsPerPel=hwprcBitsPerPel, hwmaErrorInfo=hwmaErrorInfo, hwseStatus=hwseStatus, hwfdStatus=hwfdStatus, hwpbManufactureDate=hwpbManufactureDate, hwrfgIndex=hwrfgIndex, hwpmReset=hwpmReset, hwsndConfigManagerUserConfig=hwsndConfigManagerUserConfig, hwprErrorDescription=hwprErrorDescription, hwpcmConfigManagerErrorCode=hwpcmConfigManagerErrorCode, hwprPNPDeviceID=hwprPNPDeviceID, hwmmInstallDate=hwmmInstallDate, hwmmCaption=hwmmCaption, hwspcEOFCharacter=hwspcEOFCharacter, hwpbBatteryRechargeTime=hwpbBatteryRechargeTime, hwspSupportsElapsedTimeouts=hwspSupportsElapsedTimeouts, hwpcmPNPDeviceID=hwpcmPNPDeviceID, win32PCMCIAControllerTable=win32PCMCIAControllerTable, win32TCPIPPrinterPortTable=win32TCPIPPrinterPortTable, hwpsdDescription=hwpsdDescription, hwnacIPXNetworkNumber=hwnacIPXNetworkNumber, hwcpCreationClassName=hwcpCreationClassName, hwfanCaption=hwfanCaption, win32DeviceMemoryAddressTable=win32DeviceMemoryAddressTable, hwnacKeepAliveTime=hwnacKeepAliveTime, hwcdMaximumComponentLength=hwcdMaximumComponentLength, hwpbBatteryStatus=hwpbBatteryStatus, hwsndCreationClassName=hwsndCreationClassName, hwnacKeepAliveInterval=hwnacKeepAliveInterval, hwrfgPowerManagementSupported=hwrfgPowerManagementSupported, hwmaStartingAddress=hwmaStartingAddress, hwpmmDescription=hwpmmDescription, hwprjStartTime=hwprjStartTime, hwptErrorCleared=hwptErrorCleared, hwnacDNSDomainSuffixSearchOrder=hwnacDNSDomainSuffixSearchOrder, hwprCurrentMimeType=hwprCurrentMimeType, hwbuConfigManagerErrorCode=hwbuConfigManagerErrorCode, hwsbmPowerManagementCapabilities=hwsbmPowerManagementCapabilities, hwsbmErrorDataOrder=hwsbmErrorDataOrder, hwrfgName=hwrfgName, hwsbmErrorAddress=hwsbmErrorAddress, hwdmCreationClassName=hwdmCreationClassName, hwspcBitsPerByte=hwspcBitsPerByte, hwssSupportsHotPlug=hwssSupportsHotPlug, hwmmDeviceID=hwmmDeviceID, hwobModel=hwobModel, hwpbMaxBatteryError=hwpbMaxBatteryError, hwtppProtocol=hwtppProtocol, hwptConfigManagerUserConfig=hwptConfigManagerUserConfig, hwsbmConfigManagerErrorCode=hwsbmConfigManagerErrorCode, hwupsConfigManagerErrorCode=hwupsConfigManagerErrorCode, hwcmCurrentSRAM=hwcmCurrentSRAM, hwpmdInstallDate=hwpmdInstallDate, hwpmmDeviceLocator=hwpmmDeviceLocator, hwppStatusInfo=hwppStatusInfo, hwptLastErrorCode=hwptLastErrorCode, hwideInstallDate=hwideInstallDate, hwidCreationClassName=hwidCreationClassName, hwprDoCompleteFirst=hwprDoCompleteFirst, hwprjJobStatus=hwprjJobStatus, hwmaSystemLevelAddress=hwmaSystemLevelAddress, hwnacIPXFrameType=hwnacIPXFrameType, hwmaAdditionalErrorData=hwmaAdditionalErrorData, hwnacIPXEnabled=hwnacIPXEnabled, hwcpuL2CacheSpeed=hwcpuL2CacheSpeed, hwpmmDataWidth=hwpmmDataWidth, hwprcCopies=hwprcCopies, hwmaSystemCreationClassName=hwmaSystemCreationClassName, hwfcDescription=hwfcDescription, hwdmErrorCleared=hwdmErrorCleared, hwscsiDeviceID=hwscsiDeviceID, hwspcErrorReplacementEnabled=hwspcErrorReplacementEnabled, hwvpLowerThresholdCritical=hwvpLowerThresholdCritical, win32PhysicalMediaEntry=win32PhysicalMediaEntry, hwirqDescription=hwirqDescription, hwcpuLevel=hwcpuLevel, hwpreStartingAddress=hwpreStartingAddress, hwppErrorCleared=hwppErrorCleared, hwsndCaption=hwsndCaption, hwtppHostAddress=hwtppHostAddress, hwcpuConfigManagerUserConfig=hwcpuConfigManagerUserConfig, hwcmPNPDeviceID=hwcmPNPDeviceID, hwcpuDeviceID=hwcpuDeviceID, hwspcName=hwspcName, win32PrintJobEntry=win32PrintJobEntry, hwcmAccess=hwcmAccess, hwmaErrorAddress=hwmaErrorAddress, hwcmInstalledSize=hwcmInstalledSize, hwcmErrorResolution=hwcmErrorResolution, hw1394ConfigManagerUserConfig=hw1394ConfigManagerUserConfig, hwbbSpecialRequirements=hwbbSpecialRequirements, hwsbmPurpose=hwsbmPurpose, hwddStatus=hwddStatus, wmiPower=wmiPower, hwupsSystemName=hwupsSystemName, hwsmrCSName=hwsmrCSName, hwbiTargetOperatingSystem=hwbiTargetOperatingSystem, hwpmaVersion=hwpmaVersion, hwfdDeviceID=hwfdDeviceID, hwdmaBurstMode=hwdmaBurstMode, hwscsiSystemName=hwscsiSystemName, hwprPrintJobDataType=hwprPrintJobDataType, hwideManufacturer=hwideManufacturer, win32CDROMDriveEntry=win32CDROMDriveEntry, hwtdIndex=hwtdIndex, hwpmdPartNumber=hwpmdPartNumber, hwpcDescription=hwpcDescription, win32NetworkAdapterTable=win32NetworkAdapterTable, hwcmStartingAddress=hwcmStartingAddress, hwspcDSROutflowControl=hwspcDSROutflowControl, PYSNMP_MODULE_ID=wmiHardware, hwbbPartNumber=hwbbPartNumber, hwpcmCaption=hwpcmCaption, hwddErrorMethodology=hwddErrorMethodology, hwppProtocolSupported=hwppProtocolSupported, hwpmaIndex=hwpmaIndex, hwuhConfigManagerUserCode=hwuhConfigManagerUserCode, hwprMarkingTechnology=hwprMarkingTechnology, hwpmdManufacturer=hwpmdManufacturer, hwpreCreationClassName=hwpreCreationClassName, hwpmSpeakerModeOff=hwpmSpeakerModeOff, hwkbPowerManagementSupported=hwkbPowerManagementSupported, hwfanIndex=hwfanIndex, hwbbSKU=hwbbSKU, hwbiCaption=hwbiCaption, hwcmConfigManagerUserConfig=hwcmConfigManagerUserConfig, hwmmStatusInfo=hwmmStatusInfo, hwmmErrorData=hwmmErrorData, hwsndPNPDeviceID=hwsndPNPDeviceID, hwcmAssociativity=hwcmAssociativity, hwptSampleRate=hwptSampleRate, hwfdName=hwfdName, hwmmErrorAddress=hwmmErrorAddress, hwseVersion=hwseVersion, hwnacDescription=hwnacDescription, hwupsDeviceID=hwupsDeviceID, hwspSettableDataBits=hwspSettableDataBits, hwfanSystemCreationClassName=hwfanSystemCreationClassName, hwmmAccess=hwmmAccess, hwidCaption=hwidCaption, hwddNumberOfMediaSupported=hwddNumberOfMediaSupported, wmiCoolingDevice=wmiCoolingDevice, hwddSCSILogicalUnit=hwddSCSILogicalUnit, hwideCaption=hwideCaption, hw1394Description=hw1394Description, hwuhCurrentConfigValue=hwuhCurrentConfigValue, hwspSupportsIntTimeouts=hwspSupportsIntTimeouts, hwpmInactivityTimeout=hwpmInactivityTimeout, hwprQueued=hwprQueued, hwcmCacheType=hwcmCacheType, hwpbFullChargeCapacity=hwpbFullChargeCapacity, hwprcPelsHeight=hwprcPelsHeight, hwpmLastErrorCode=hwpmLastErrorCode, hwucConfigManagerUserConfig=hwucConfigManagerUserConfig, hwprParameters=hwprParameters, hwobCaption=hwobCaption, hwppConfigManagerUserConfig=hwppConfigManagerUserConfig, hwcpMaxReadable=hwcpMaxReadable, hwsmrCSCreationClassName=hwsmrCSCreationClassName, hwcpuProcessorType=hwcpuProcessorType, win32TemperatureProbeTable=win32TemperatureProbeTable, hwpnpIndex=hwpnpIndex, hwscsiName=hwscsiName, hwcmDeviceID=hwcmDeviceID, hwdmaInstallDate=hwdmaInstallDate, hwpmCompressionOff=hwpmCompressionOff, hwnacIPXVirtualNetNumber=hwnacIPXVirtualNetNumber, win32PhysicalMemoryArrayEntry=win32PhysicalMemoryArrayEntry, hwfanErrorDescription=hwfanErrorDescription, hwseModel=hwseModel, hwprcDriverVersion=hwprcDriverVersion, win32SMBIOSMemoryEntry=win32SMBIOSMemoryEntry, hwbuDescription=hwbuDescription, hwppErrorDescription=hwppErrorDescription, hwcpPowerManagementSupported=hwcpPowerManagementSupported, win32TCPIPPrinterPortEntry=win32TCPIPPrinterPortEntry, hwcdManufacturer=hwcdManufacturer, hwcpDescription=hwcpDescription, hwppSystemName=hwppSystemName, hwpcmLastErrorCode=hwpcmLastErrorCode, hwprAvailableJobSheets=hwprAvailableJobSheets, hwpnpManufacturer=hwpnpManufacturer, hwobReplaceable=hwobReplaceable, hwptHandedness=hwptHandedness, hwbaTimeOnBattery=hwbaTimeOnBattery, hwtmpNormalMax=hwtmpNormalMax, hwupsPowerManagementSupported=hwupsPowerManagementSupported, hwpmModulationBell=hwpmModulationBell, hwsndDMABufferSize=hwsndDMABufferSize, hwidConfigManagerUserConfig=hwidConfigManagerUserConfig, win32USBControllerEntry=win32USBControllerEntry, hwprDefaultMimeType=hwprDefaultMimeType, hwcmName=hwcmName, hwideStatusInfo=hwideStatusInfo, hwtppName=hwtppName, hwdmSystemName=hwdmSystemName, hwtdReportSetMarks=hwtdReportSetMarks, hwuhConfigManagerErrorCode=hwuhConfigManagerErrorCode, hwddConfigManagerUserConfig=hwddConfigManagerUserConfig, hwnacDHCPEnabled=hwnacDHCPEnabled, hwfdSystemName=hwfdSystemName, hwnacTcpipNetbiosOptions=hwnacTcpipNetbiosOptions, hwirqTriggerLevel=hwirqTriggerLevel, hwuhName=hwuhName, hwpmTone=hwpmTone, hwfanActiveCooling=hwfanActiveCooling, hwpbPowerManagementSupported=hwpbPowerManagementSupported, hwprdIndex=hwprdIndex, hwcmFlushTimer=hwcmFlushTimer, hwfcTimeOfLastReset=hwfcTimeOfLastReset, hwvcVideoArchitecture=hwvcVideoArchitecture, hwprcIndex=hwprcIndex, hwmmSystemCreationClassName=hwmmSystemCreationClassName, hwsbmDescription=hwsbmDescription, hwprConfigManagerUserConfig=hwprConfigManagerUserConfig, hwbuLastErrorCode=hwbuLastErrorCode, hwprSystemCreationClassName=hwprSystemCreationClassName, hwpmAnswerMode=hwpmAnswerMode, hwcpuDataWidth=hwcpuDataWidth, hwsmrIndex=hwsmrIndex, hwsbmSystemCreationClassName=hwsbmSystemCreationClassName, hwvcVideoMemoryType=hwvcVideoMemoryType, hwptConfigManagerErrorCode=hwptConfigManagerErrorCode, hwcdPowerManagementSupported=hwcdPowerManagementSupported) mibBuilder.exportSymbols("INFORMANT-HW", hwtppByteCount=hwtppByteCount, hwprcPaperLength=hwprcPaperLength, hwseOtherIdentifyingInfo=hwseOtherIdentifyingInfo, hwscsiManufacturer=hwscsiManufacturer, win32NetworkAdapterConfigEntry=win32NetworkAdapterConfigEntry, hwupsRemainingCapacityStatus=hwupsRemainingCapacityStatus, hwpnpStatusInfo=hwpnpStatusInfo, hwdmMonitorManufacturer=hwdmMonitorManufacturer, hwprNaturalLanguagesSupported=hwprNaturalLanguagesSupported, hwpcmStatusInfo=hwpcmStatusInfo, win32FloppyControllerTable=win32FloppyControllerTable, hwseNumberOfPowerCords=hwseNumberOfPowerCords, hwcmWritePolicy=hwcmWritePolicy, hwspcXOffCharacter=hwspcXOffCharacter, hwmaCreationClassName=hwmaCreationClassName, hwnacArpUseEtherSNAP=hwnacArpUseEtherSNAP, hwpmErrorDescription=hwpmErrorDescription, hwprDefaultPriority=hwprDefaultPriority, hwmmStartingAddress=hwmmStartingAddress, hwppAvailability=hwppAvailability, hwbuErrorCleared=hwbuErrorCleared, hwbaSystemName=hwbaSystemName, hwhpSystemName=hwhpSystemName, hwmaEndingAddress=hwmaEndingAddress, hwhpErrorCleared=hwhpErrorCleared, hwprConfigManagerErrorCode=hwprConfigManagerErrorCode, hwcdDrive=hwcdDrive, hwpmmCapacity=hwpmmCapacity, hwnaInterfaceIndex=hwnaInterfaceIndex, hwtdPowerManagementSupported=hwtdPowerManagementSupported, hwpbConfigManagerErrorCode=hwpbConfigManagerErrorCode, hwcpConfigManagerUserConfig=hwcpConfigManagerUserConfig, hwdmIndex=hwdmIndex, hwbaSmartBatteryVersion=hwbaSmartBatteryVersion, hwmaOtherErrorDescription=hwmaOtherErrorDescription, hwkbCaption=hwkbCaption, win32BIOSEntry=win32BIOSEntry, hwcmBlockSize=hwcmBlockSize, hwmaErrorData=hwmaErrorData, hwcmErrorDataOrder=hwcmErrorDataOrder, hwcpSystemCreationClassName=hwcpSystemCreationClassName, hwcdInstallDate=hwcdInstallDate, hwmbSecondaryBusType=hwmbSecondaryBusType, hwscsiIndex=hwscsiIndex, hwpmAttachedTo=hwpmAttachedTo, hwvpCurrentReading=hwvpCurrentReading, hwprjInstallDate=hwprjInstallDate, hwtdNumberOfMediaSupported=hwtdNumberOfMediaSupported, hwvcDriverVersion=hwvcDriverVersion, hwupsLastErrorCode=hwupsLastErrorCode, hwobName=hwobName, hwspSystemName=hwspSystemName, hwscsiStatus=hwscsiStatus, hwupsUPSPort=hwupsUPSPort, hwbbSlotLayout=hwbbSlotLayout, hwprPrinterState=hwprPrinterState, hwnacFullDNSRegistrationEnabled=hwnacFullDNSRegistrationEnabled, win32BatteryTable=win32BatteryTable, hwcpuArchitecture=hwcpuArchitecture, hwfanPNPDeviceID=hwfanPNPDeviceID, hwhpInstallDate=hwhpInstallDate, hwideStatus=hwideStatus, hwtmpConfigManagerUserConfig=hwtmpConfigManagerUserConfig, hwupsRange1InputVoltageLow=hwupsRange1InputVoltageLow, hwpmProviderName=hwpmProviderName, hwsmrCreationClassName=hwsmrCreationClassName, hwsbmAccess=hwsbmAccess, hwupsEstimatedChargeRemaining=hwupsEstimatedChargeRemaining, hwpsdManufacturer=hwpsdManufacturer, hwseServicePhilosophy=hwseServicePhilosophy, hwbaDesignCapacity=hwbaDesignCapacity, hwvpLowerThresholdFatal=hwvpLowerThresholdFatal, hwtdMaxBlockSize=hwtdMaxBlockSize, hwcpuSystemName=hwcpuSystemName, hwnacGatewayCostMetric=hwnacGatewayCostMetric, hwbbWeight=hwbbWeight, hwseTag=hwseTag, hwdmErrorDescription=hwdmErrorDescription, hwprcMediaType=hwprcMediaType, hwprjTimeSubmitted=hwprjTimeSubmitted, hwtdLastErrorCode=hwtdLastErrorCode, hwspcXOnXOffInFlowControl=hwspcXOnXOffInFlowControl, hwupsCommandFile=hwupsCommandFile, win32PortConnectorTable=win32PortConnectorTable, hwpsdDeviceName=hwpsdDeviceName, hwcdCreationClassName=hwcdCreationClassName, hwpcTag=hwpcTag, hwprLocal=hwprLocal, hwpreDescription=hwpreDescription, hwssTag=hwssTag, hwspcBaudRate=hwspcBaudRate, hwcmErrorAccess=hwcmErrorAccess, hwdaMemoryType=hwdaMemoryType, hwmaAccess=hwmaAccess, hwtppSNMPDevIndex=hwtppSNMPDevIndex, hwpcmConfigManagerUserConfig=hwpcmConfigManagerUserConfig, win32OnBoardDeviceEntry=win32OnBoardDeviceEntry, hwcpuLastErrorCode=hwcpuLastErrorCode, hwprCurrentCharSet=hwprCurrentCharSet, hwtdCapabilityDescriptions=hwtdCapabilityDescriptions, hwnaPowerManagementCapabilities=hwnaPowerManagementCapabilities, hwtppStatus=hwtppStatus, win32PointingDeviceEntry=win32PointingDeviceEntry, hwprdStatus=hwprdStatus, win32DeviceMemoryAddressEntry=win32DeviceMemoryAddressEntry, hwupsCanTurnOffRemotely=hwupsCanTurnOffRemotely, hwirqInstallDate=hwirqInstallDate, hwpreIndex=hwpreIndex, hwbaErrorDescription=hwbaErrorDescription, hwpmErrorControlInfo=hwpmErrorControlInfo, hwnaAdapterType=hwnaAdapterType, hwdmScreenHeight=hwdmScreenHeight, hwmaErrorTime=hwmaErrorTime, hwsmrStatus=hwsmrStatus, hwfdErrorMethodology=hwfdErrorMethodology, hwprSystemName=hwprSystemName, hwmmEndingAddress=hwmmEndingAddress, win32IRQResourceEntry=win32IRQResourceEntry, hwupsStatus=hwupsStatus, hwnacDNSEnabledForWINSResolution=hwnacDNSEnabledForWINSResolution, hwvcCaption=hwvcCaption, hwcmStatus=hwcmStatus, hwvpDescription=hwvpDescription, hwupsIsSwitchingSupply=hwupsIsSwitchingSupply, hwucAvailability=hwucAvailability, hwpmaMaxCapacity=hwpmaMaxCapacity, hwddBytesPerSector=hwddBytesPerSector, hwpnpCreationClassName=hwpnpCreationClassName, hwprComment=hwprComment, hwpbName=hwpbName, hwprPowerManagementSupported=hwprPowerManagementSupported, hwfanPowerManagementSupported=hwfanPowerManagementSupported, hwtdCaption=hwtdCaption, hwcpCurrentReading=hwcpCurrentReading, hwvcCurrentHorizontalResolution=hwvcCurrentHorizontalResolution, hwtdInstallDate=hwtdInstallDate, hwmbCaption=hwmbCaption, hwprPortName=hwprPortName, hwpmdName=hwpmdName, hwnacPMTUDiscoveryEnabled=hwnacPMTUDiscoveryEnabled, hwnacIPSecPermitIPProtocols=hwnacIPSecPermitIPProtocols, hwbbRequiresDaughterBoard=hwbbRequiresDaughterBoard, hwprPrintProcessor=hwprPrintProcessor, hwseCreationClassName=hwseCreationClassName, hwnacDomainDNSRegistrationEnable=hwnacDomainDNSRegistrationEnable, hwscsiHardwareVersion=hwscsiHardwareVersion, hwprcXResolution=hwprcXResolution, hwddCreationClassName=hwddCreationClassName, hwvcNumberOfColorPlanes=hwvcNumberOfColorPlanes, hwcpIndex=hwcpIndex, hwvcMaxMemorySupported=hwvcMaxMemorySupported, hwpmdRemovable=hwpmdRemovable, hwseRemovable=hwseRemovable, hwpmSupportsSynchronousConnect=hwpmSupportsSynchronousConnect, hwpmaManufacturer=hwpmaManufacturer, hwppTimeOfLastReset=hwppTimeOfLastReset, win32ParallelPortEntry=win32ParallelPortEntry, hwprcCaption=hwprcCaption, hwpcSerialNumber=hwpcSerialNumber, hwtmpErrorCleared=hwtmpErrorCleared, hwfcSystemCreationClassName=hwfcSystemCreationClassName, hwpbLocation=hwpbLocation, hwvcVideoMode=hwvcVideoMode, hwvcCurrentScanMode=hwvcCurrentScanMode, win32SystemSlotEntry=win32SystemSlotEntry, win32DiskDriveEntry=win32DiskDriveEntry, hwmaErrorDataOrder=hwmaErrorDataOrder, hwvcAvailability=hwvcAvailability, hw1394PowerManagementCapability=hw1394PowerManagementCapability, hwucManufacturer=hwucManufacturer, hwspConfigManagerErrorCode=hwspConfigManagerErrorCode, hwpmSpeakerVolumeLow=hwpmSpeakerVolumeLow, hwcpuStatus=hwcpuStatus, hwprPrinterStatus=hwprPrinterStatus, hwmbRevisionNumber=hwmbRevisionNumber, win32PointingDeviceTable=win32PointingDeviceTable, hwtppPortNumber=hwtppPortNumber, hwmmLastErrorCode=hwmmLastErrorCode, hwpbStatus=hwpbStatus, hwprjParameters=hwprjParameters, hwupsRange2InputFrequencyLow=hwupsRange2InputFrequencyLow, hwirqName=hwirqName, hwpmSpeakerModeOn=hwpmSpeakerModeOn, hwprSeparatorFile=hwprSeparatorFile, hwuhUSBVersion=hwuhUSBVersion, hw1394MaxNumberControlled=hw1394MaxNumberControlled, win32AutochkSettingTable=win32AutochkSettingTable, hwsbmLastErrorCode=hwsbmLastErrorCode, hwpmaTag=hwpmaTag, hwssModel=hwssModel, hwbaBatteryStatus=hwbaBatteryStatus, hwbiManufacturer=hwbiManufacturer, hwdmPixelsPerXLogicalInch=hwdmPixelsPerXLogicalInch, hwppConfigManagerErrorCode=hwppConfigManagerErrorCode, hwkbSystemCreationClassName=hwkbSystemCreationClassName, hwcpuManufacturer=hwcpuManufacturer, hwspCapabilities=hwspCapabilities, hwprcICMMethod=hwprcICMMethod, hwrfgStatusInfo=hwrfgStatusInfo, hwtmpTolerance=hwtmpTolerance, hwfdNeedsCleaning=hwfdNeedsCleaning, hwprcHorizontalResolution=hwprcHorizontalResolution, hwpmRingsBeforeAnswer=hwpmRingsBeforeAnswer, hwcmStatusInfo=hwcmStatusInfo, hwprSpoolEnabled=hwprSpoolEnabled, hwspIndex=hwspIndex, hwspcXOnXOffOutFlowControl=hwspcXOnXOffOutFlowControl, hwhpSystemCreationClassName=hwhpSystemCreationClassName, hwppPNPDeviceID=hwppPNPDeviceID, hwpmFlowControlOff=hwpmFlowControlOff, hwseAudibleAlarm=hwseAudibleAlarm, hwrfgInstallDate=hwrfgInstallDate, hwptDescription=hwptDescription, hwcpuUniqueId=hwcpuUniqueId, win32MemoryArrayEntry=win32MemoryArrayEntry, hwbaEstimatedRunTime=hwbaEstimatedRunTime, hwpsdName=hwpsdName, hwptDeviceID=hwptDeviceID, hwtppSNMPCommunity=hwtppSNMPCommunity, hwnacDHCPLeaseObtained=hwnacDHCPLeaseObtained, hwvcErrorDescription=hwvcErrorDescription, hwcpuUpgradeMethod=hwcpuUpgradeMethod, hwcpuVoltageCaps=hwcpuVoltageCaps, hwmaCorrectableError=hwmaCorrectableError, hwideConfigManagerUserConfig=hwideConfigManagerUserConfig, hwnacDHCPServer=hwnacDHCPServer, hwtmpAccuracy=hwtmpAccuracy, hwpbExpectedBatteryLife=hwpbExpectedBatteryLife, hwcmCreationClassName=hwcmCreationClassName, hwfcAvailability=hwfcAvailability, hwpmSystemName=hwpmSystemName, hwprDetectedErrorState=hwprDetectedErrorState, hwdmAvailability=hwdmAvailability, hwpbEstimatedChargeRemaining=hwpbEstimatedChargeRemaining, hwprCapabilities=hwprCapabilities, hwseReplaceable=hwseReplaceable, hwhpCreationClassName=hwhpCreationClassName, hwnaNetConnectionID=hwnaNetConnectionID, hwnacDefaultTTL=hwnacDefaultTTL, hwobStatus=hwobStatus, hwssVersion=hwssVersion, hwssPoweredOn=hwssPoweredOn, win32USBHubEntry=win32USBHubEntry, hwpsdInfName=hwpsdInfName, hwpbLastErrorCode=hwpbLastErrorCode, hwspCaption=hwspCaption, hwpbDeviceID=hwpbDeviceID, hwvcInfFilename=hwvcInfFilename, hwpmSystemCreationClassName=hwpmSystemCreationClassName, win32IDEControllerEntry=win32IDEControllerEntry, hwbbDescription=hwbbDescription, hwptStatus=hwptStatus, hwptQuadSpeedThreshold=hwptQuadSpeedThreshold, hwpmModel=hwpmModel) mibBuilder.exportSymbols("INFORMANT-HW", hwcmLastErrorCode=hwcmLastErrorCode, hw1394CreationClassName=hw1394CreationClassName, hwcpuCurrentVoltage=hwcpuCurrentVoltage, hwkbCreationClassName=hwkbCreationClassName, hwpcCaption=hwpcCaption, hwmaIndex=hwmaIndex, win32FloppyDriveEntry=win32FloppyDriveEntry, hwdmScreenWidth=hwdmScreenWidth, hwcmSystemLevelAddress=hwcmSystemLevelAddress, hwideIndex=hwideIndex, hwspDescription=hwspDescription, hwcdFileSystemFlags=hwcdFileSystemFlags, hwbbSerialNumber=hwbbSerialNumber, hwmaName=hwmaName, hwscsiRegistryIndex=hwscsiRegistryIndex, hwpbDescription=hwpbDescription, hwmmPurpose=hwmmPurpose, hwseWeight=hwseWeight, hwpnpErrorCleared=hwpnpErrorCleared, hwsbmAdditionalErrorData=hwsbmAdditionalErrorData, hw1394Manufacturer=hw1394Manufacturer, hwbbInstallDate=hwbbInstallDate, wmiTelephony=wmiTelephony, hwpreEndingAddress=hwpreEndingAddress, hwideTimeOfLastReset=hwideTimeOfLastReset, hwfdInstallDate=hwfdInstallDate, hwpreCSName=hwpreCSName, hwnaIndex=hwnaIndex, hwmmSystemLevelAddress=hwmmSystemLevelAddress, hwnacWINSHostLookupFile=hwnacWINSHostLookupFile, hwmbPNPDeviceID=hwmbPNPDeviceID, hwprcDeviceName=hwprcDeviceName, hwfdIndex=hwfdIndex, hwpmdModel=hwpmdModel, hwnaCaption=hwnaCaption, win32PnPSignedDriverEntry=win32PnPSignedDriverEntry, hwirqShareable=hwirqShareable, hwvcCreationClassName=hwvcCreationClassName, hwcpuNumberOfLogicalProcessors=hwcpuNumberOfLogicalProcessors, hwdmPNPDeviceID=hwdmPNPDeviceID, hwpmmStatus=hwpmmStatus, hwfcMaxNumberControlled=hwfcMaxNumberControlled, hwtppSystemName=hwtppSystemName, hwpmDialType=hwpmDialType, win32TemperatureProbeEntry=win32TemperatureProbeEntry, win32SoundDeviceEntry=win32SoundDeviceEntry, hwbuName=hwbuName, hwnaAutoSense=hwnaAutoSense, hwseVisibleAlarm=hwseVisibleAlarm, hwpmPNPDeviceID=hwpmPNPDeviceID, hwssVccMixedVoltageSupport=hwssVccMixedVoltageSupport, hwcmLineSize=hwcmLineSize, hwtdId=hwtdId, hwpmmSKU=hwpmmSKU, hwnacIPSecPermitTCPPorts=hwnacIPSecPermitTCPPorts, win32TapeDriveEntry=win32TapeDriveEntry, hwptPointingType=hwptPointingType, hwbbHotSwappable=hwbbHotSwappable, hwvcConfigManagerUserConfig=hwvcConfigManagerUserConfig, hwirqAvailability=hwirqAvailability, hwpmaHotSwappable=hwpmaHotSwappable, hwcdDefaultBlockSize=hwcdDefaultBlockSize, hwuhPNPDeviceID=hwuhPNPDeviceID, hwcpuExtClock=hwcpuExtClock, hwprInstallDate=hwprInstallDate, hwtmpResolution=hwtmpResolution, hwprPriority=hwprPriority, win32PortResourceTable=win32PortResourceTable, hwseWidth=hwseWidth, hwvcAcceleratorCapabilities=hwvcAcceleratorCapabilities, hwcdId=hwcdId, hwpmModemInfSection=hwpmModemInfSection, hwprdStartMode=hwprdStartMode, hwcmInstallDate=hwcmInstallDate, hwidManufacturer=hwidManufacturer, hwvcCapabilityDescriptions=hwvcCapabilityDescriptions, hwpmmName=hwpmmName, hwpmSpeakerModeDial=hwpmSpeakerModeDial, win32DesktopMonitorEntry=win32DesktopMonitorEntry, hwppCapabilityDescriptions=hwppCapabilityDescriptions, hwdmaName=hwdmaName, hwbaInstallDate=hwbaInstallDate, hwprUntilTime=hwprUntilTime, hwobManufacturer=hwobManufacturer, hwvpStatus=hwvpStatus, hwideDeviceID=hwideDeviceID, hwpbTimeOnBattery=hwpbTimeOnBattery, hwhpConfigManagerUserConfig=hwhpConfigManagerUserConfig, hwnaNetConnectionStatus=hwnaNetConnectionStatus, hwhpDeviceID=hwhpDeviceID, hwprjStatus=hwprjStatus, hwtdMinBlockSize=hwtdMinBlockSize, hwddCapabilityDescriptions=hwddCapabilityDescriptions, hwscsiDescription=hwscsiDescription, hwptHardwareType=hwptHardwareType, hwpreStatus=hwpreStatus, hwvpPNPDeviceID=hwvpPNPDeviceID, hwucMaxNumberControlled=hwucMaxNumberControlled, hwcdSCSITargetId=hwcdSCSITargetId, hwprjElapsedTime=hwprjElapsedTime, hwpcmSystemCreationClassName=hwpcmSystemCreationClassName, hwbaCaption=hwbaCaption, hwddPowerManagementSupported=hwddPowerManagementSupported, hw1394PNPDeviceID=hw1394PNPDeviceID, hwcdSystemName=hwcdSystemName, hwhpErrorDescription=hwhpErrorDescription, hwmaStatusInfo=hwmaStatusInfo, hwmmConfigManagerErrorCode=hwmmConfigManagerErrorCode, hwpmaSerialNumber=hwpmaSerialNumber, win32SerialPortConfigTable=win32SerialPortConfigTable, hwideSystemCreationClassName=hwideSystemCreationClassName, hwprLastErrorCode=hwprLastErrorCode, hwbbVersion=hwbbVersion, hwbaIndex=hwbaIndex, hwssPurposeDescription=hwssPurposeDescription, hwbbPoweredOn=hwbbPoweredOn, hw1394Availability=hw1394Availability, hwmmErrorTime=hwmmErrorTime, hwfdCapabilityDescriptions=hwfdCapabilityDescriptions, win32MemoryDeviceTable=win32MemoryDeviceTable, hwbiSMBIOSMajorVersion=hwbiSMBIOSMajorVersion, hwsndSystemCreationClassName=hwsndSystemCreationClassName, hwpmDeviceType=hwpmDeviceType, hwideCreationClassName=hwideCreationClassName, hwtmpCaption=hwtmpCaption, hwtppCaption=hwtppCaption, hwtdAvailability=hwtdAvailability, hwbuCaption=hwbuCaption, hwtmpMaxReadable=hwtmpMaxReadable, hwidPowerManagementSupported=hwidPowerManagementSupported, win32ProcessorTable=win32ProcessorTable, hwspBinary=hwspBinary, hwpmaCreationClassName=hwpmaCreationClassName, hwhpCaption=hwhpCaption, win32CDROMDriveTable=win32CDROMDriveTable, hwcmReadPolicy=hwcmReadPolicy, hwcpIsLinear=hwcpIsLinear, hwprdName=hwprdName, hwseDescription=hwseDescription, hwdmaTypeCTiming=hwdmaTypeCTiming, hwscsiStatusInfo=hwscsiStatusInfo, hwprExtendedPrinterStatus=hwprExtendedPrinterStatus, wmiMassStorage=wmiMassStorage, hwtdPowerManagementCapabilities=hwtdPowerManagementCapabilities, hwvcPowerManagementSupported=hwvcPowerManagementSupported, hwfdStatusInfo=hwfdStatusInfo, hwdaInstallDate=hwdaInstallDate, hwprShared=hwprShared, hwppCapabilities=hwppCapabilities, hwnacIPXMediaType=hwnacIPXMediaType, hwtppCreationClassName=hwtppCreationClassName, hwscsiInstallDate=hwscsiInstallDate, hwmaPowerManagementCapabilities=hwmaPowerManagementCapabilities, hwprjName=hwprjName, hwpmCountriesSupported=hwpmCountriesSupported, hwupsName=hwupsName, hwfdErrorCleared=hwfdErrorCleared, hwpmmManufacturer=hwpmmManufacturer, hwtdECC=hwtdECC, hwpmCurrentPasswords=hwpmCurrentPasswords, hwpmDeviceID=hwpmDeviceID, hwprjJobId=hwprjJobId, hwprName=hwprName, hwddErrorDescription=hwddErrorDescription, win32SystemSlotTable=win32SystemSlotTable, hwcdMaxMediaSize=hwcdMaxMediaSize, win32SystemEnclosureEntry=win32SystemEnclosureEntry, hwnaAdapterTypeID=hwnaAdapterTypeID, hwprjDriverName=hwprjDriverName, hwprMaxSizeSupported=hwprMaxSizeSupported, hwtdCapabilities=hwtdCapabilities, hwasDescription=hwasDescription, hwprcColor=hwprcColor, hwbiSMBIOSMinorVersion=hwbiSMBIOSMinorVersion, hwseLockPresent=hwseLockPresent, hwhpIndex=hwhpIndex, hwnacCaption=hwnacCaption, hwvcErrorCleared=hwvcErrorCleared, hwprMimeTypesSupported=hwprMimeTypesSupported, hwbaDeviceID=hwbaDeviceID, hwprDriverName=hwprDriverName, hwsbmBlockSize=hwsbmBlockSize, hwdmaDMAChannel=hwdmaDMAChannel, hwupsRange2InputVoltageHigh=hwupsRange2InputVoltageHigh, hwmaPNPDeviceID=hwmaPNPDeviceID, hwupsRange2InputFrequencyHigh=hwupsRange2InputFrequencyHigh, hwdmaIndex=hwdmaIndex, hwupsRange1InputFrequencyHigh=hwupsRange1InputFrequencyHigh, hwrfgConfigManagerErrorCode=hwrfgConfigManagerErrorCode, hwbiVersion=hwbiVersion, hwnacDHCPLeaseExpires=hwnacDHCPLeaseExpires, hwtppQueue=hwtppQueue, win32HeatPipeTable=win32HeatPipeTable, hwpcmTimeOfLastReset=hwpcmTimeOfLastReset, hwdaStartingAddress=hwdaStartingAddress, hwnaAvailability=hwnaAvailability, hwuhClassCode=hwuhClassCode, hwnacTcpUseRFC1122UrgentPointer=hwnacTcpUseRFC1122UrgentPointer, hwpmaWidth=hwpmaWidth, win32IRQResourceTable=win32IRQResourceTable, hwvcVideoProcessor=hwvcVideoProcessor, hwsbmInstallDate=hwsbmInstallDate, hwseName=hwseName, hwvpIsLinear=hwvpIsLinear, hwucConfigManagerErrorCode=hwucConfigManagerErrorCode, hwtdFeaturesHigh=hwtdFeaturesHigh, hwuhSubclassCode=hwuhSubclassCode, hwnacNumForwardPackets=hwnacNumForwardPackets, hwpsdStartMode=hwpsdStartMode, hwuhDescription=hwuhDescription, hwprdStarted=hwprdStarted, hwpsdProviderName=hwpsdProviderName, hwobPoweredOn=hwobPoweredOn, hwhpPowerManagementCapabilities=hwhpPowerManagementCapabilities, hwscsiErrorDescription=hwscsiErrorDescription, hwpsdDriverVersion=hwpsdDriverVersion, hwbiInstallDate=hwbiInstallDate, hwssNumber=hwssNumber, hwpmDescription=hwpmDescription, hwcmSystemName=hwcmSystemName, hwprMaxCopies=hwprMaxCopies, hwpmmInstallDate=hwpmmInstallDate, hwseIndex=hwseIndex, hwpmModulationCCITT=hwpmModulationCCITT, hwobIndex=hwobIndex, hwtmpInstallDate=hwtmpInstallDate, hwupsActiveInputVoltage=hwupsActiveInputVoltage, hwpmStatus=hwpmStatus, hwkbLayout=hwkbLayout, hwpsdDeviceID=hwpsdDeviceID, hwirqHardware=hwirqHardware, hwpbManufacturer=hwpbManufacturer, hwtdErrorDescription=hwtdErrorDescription, hwddPNPDeviceID=hwddPNPDeviceID, hwspErrorDescription=hwspErrorDescription, hwprAveragePagesPerMinute=hwprAveragePagesPerMinute, hwprdSystemName=hwprdSystemName, hwbaDescription=hwbaDescription, hwfdCaption=hwfdCaption, hwupsRange2InputVoltageLow=hwupsRange2InputVoltageLow, hwnacDNSServerSearchOrder=hwnacDNSServerSearchOrder, hwnacDNSDomain=hwnacDNSDomain, hwmmBlockSize=hwmmBlockSize, hwpnpService=hwpnpService, hwfcInstallDate=hwfcInstallDate, hwnacIPEnabled=hwnacIPEnabled, win32POTSModemEntry=win32POTSModemEntry, hwcpuConfigManagerErrorCode=hwcpuConfigManagerErrorCode, hwucDescription=hwucDescription, hwvcInstalledDisplayDrivers=hwvcInstalledDisplayDrivers, hwptCreationClassName=hwptCreationClassName, hwscsiCaption=hwscsiCaption, hwspMaximumInputBufferSize=hwspMaximumInputBufferSize, hwpcmSystemName=hwpcmSystemName) mibBuilder.exportSymbols("INFORMANT-HW", hwprPublished=hwprPublished, hwhpStatusInfo=hwhpStatusInfo, hwcdName=hwcdName, hwscsiAvailability=hwscsiAvailability, hwprdDescription=hwprdDescription, hwprCurrentCapabilities=hwprCurrentCapabilities, hwpcmDescription=hwpcmDescription, hwspStatusInfo=hwspStatusInfo, hwbiIndex=hwbiIndex, hwsbmSystemName=hwsbmSystemName, hwspSupportsSpecialCharacters=hwspSupportsSpecialCharacters, hwprcFormName=hwprcFormName, hwprPaperSizesSupported=hwprPaperSizesSupported, hwbiPrimaryBIOS=hwbiPrimaryBIOS, hwprdDefaultDataType=hwprdDefaultDataType, hwpmdDescription=hwpmdDescription, hwbaChemistry=hwbaChemistry, hw1394ErrorCleared=hw1394ErrorCleared, hwprcDisplayFlags=hwprcDisplayFlags, win32PCMCIAControllerEntry=win32PCMCIAControllerEntry, hwbiBIOSVersion=hwbiBIOSVersion, hwvcCurrentNumberOfColumns=hwvcCurrentNumberOfColumns, hwseSKU=hwseSKU, hwcpAvailability=hwcpAvailability, hwpbSystemCreationClassName=hwpbSystemCreationClassName, hwpmFlowControlHard=hwpmFlowControlHard, hwpcmStatus=hwpcmStatus, hwmaErrorDescription=hwmaErrorDescription, win32DMAChannelTable=win32DMAChannelTable, hwspSettableStopBits=hwspSettableStopBits, hwuhSystemName=hwuhSystemName, hwptDoubleSpeedThreshold=hwptDoubleSpeedThreshold, hwmmPowerManagementCapabilities=hwmmPowerManagementCapabilities, hwcpuErrorCleared=hwcpuErrorCleared, hwtdStatusInfo=hwtdStatusInfo, hwnaDescription=hwnaDescription, win32PnPEntityTable=win32PnPEntityTable, hwvpCaption=hwvpCaption, hwbiSMBIOSPresent=hwbiSMBIOSPresent, hwobHotSwappable=hwobHotSwappable, hwfdPowerManagementSupported=hwfdPowerManagementSupported, hwnaMaxSpeed=hwnaMaxSpeed, hwptInfSection=hwptInfSection, win32ProcessorEntry=win32ProcessorEntry, hwnacIPXAddress=hwnacIPXAddress, hwnacTcpNumConnections=hwnacTcpNumConnections, hw1394DeviceID=hw1394DeviceID, hwbiInstallableLanguages=hwbiInstallableLanguages, hwtmpMinReadable=hwtmpMinReadable, hwscsiDriverName=hwscsiDriverName, hwsndIndex=hwsndIndex, hwmmPNPDeviceID=hwmmPNPDeviceID, hwuhLastErrorCode=hwuhLastErrorCode, hwsndDescription=hwsndDescription, hwcpUpperThresholdCritical=hwcpUpperThresholdCritical, hwcmCaption=hwcmCaption, hwcpuStatusInfo=hwcpuStatusInfo, hwmaPurpose=hwmaPurpose, win32PhysicalMemoryTable=win32PhysicalMemoryTable, hwrfgDeviceID=hwrfgDeviceID, hwprjPagesPrinted=hwprjPagesPrinted, hwpmCompressionOn=hwpmCompressionOn, hwkbDeviceID=hwkbDeviceID, hwcpDeviceID=hwcpDeviceID, hwsbmErrorTransferSize=hwsbmErrorTransferSize, win32PhysicalMediaTable=win32PhysicalMediaTable, hwobRemovable=hwobRemovable, hwseSerialNumber=hwseSerialNumber, hwprHorizontalResolution=hwprHorizontalResolution, hwidePNPDeviceID=hwidePNPDeviceID, hwmmErrorResolution=hwmmErrorResolution, hwpmSpeakerVolumeHigh=hwpmSpeakerVolumeHigh, hwprjHostPrintQueue=hwprjHostPrintQueue, hwscsiLastErrorCode=hwscsiLastErrorCode, wmiVideoMonitor=wmiVideoMonitor, win32RefrigerationTable=win32RefrigerationTable, hwdmConfigManagerErrorCode=hwdmConfigManagerErrorCode, hw1394StatusInfo=hw1394StatusInfo, hwfanStatusInfo=hwfanStatusInfo, hwmbCreationClassName=hwmbCreationClassName, hwscsiMaxTransferRate=hwscsiMaxTransferRate, hwssStatus=hwssStatus, hwddPhysicalIndex=hwddPhysicalIndex, hwuhIndex=hwuhIndex, hwppCaption=hwppCaption, hwspConfigManagerUserConfig=hwspConfigManagerUserConfig, hwseInstallDate=hwseInstallDate, hwuhStatusInfo=hwuhStatusInfo, hwnacIGMPLevel=hwnacIGMPLevel, hwspcContinueXMitOnXOff=hwspcContinueXMitOnXOff, hwnaInstalled=hwnaInstalled, hwprKeepPrintedJobs=hwprKeepPrintedJobs, win32PrinterTable=win32PrinterTable, hwobDescription=hwobDescription, hwbbConfigOptions=hwbbConfigOptions, hwscsiMaxDataWidth=hwscsiMaxDataWidth, hwcmLevel=hwcmLevel, hwvcICMIntent=hwvcICMIntent, hwprcLogPixels=hwprcLogPixels, hwideDescription=hwideDescription, hwsbmConfigManagerUserConfig=hwsbmConfigManagerUserConfig, hwmaPowerManagementSupported=hwmaPowerManagementSupported, hwprLanguagesSupported=hwprLanguagesSupported, win321394ControllerEntry=win321394ControllerEntry, win32NetworkAdapterEntry=win32NetworkAdapterEntry, hwkbIndex=hwkbIndex, hwpnpConfigManagerUserConfig=hwpnpConfigManagerUserConfig, hwddTotalHeads=hwddTotalHeads, hwpnpSystemCreationClassName=hwpnpSystemCreationClassName, hwsmrCaption=hwsmrCaption, hwpmErrorControlForced=hwpmErrorControlForced, hwpmmVersion=hwpmmVersion, hwirqCreationClassName=hwirqCreationClassName, win32PrinterDriverEntry=win32PrinterDriverEntry, hwmmIndex=hwmmIndex, hwuhGangSwitched=hwuhGangSwitched, hwpcmDeviceID=hwpcmDeviceID, hwnaErrorDescription=hwnaErrorDescription, hwcpuPNPDeviceID=hwcpuPNPDeviceID, hwprcScale=hwprcScale, hwddLastErrorCode=hwddLastErrorCode, hwcmErrorCorrectType=hwcmErrorCorrectType, hwcdLastErrorCode=hwcdLastErrorCode, hwcpuAvailability=hwcpuAvailability, hwvcInfSection=hwvcInfSection, hwprcSpecificationVersion=hwprcSpecificationVersion, hwfanName=hwfanName, hwpmdReplaceable=hwpmdReplaceable, hwkbIsLocked=hwkbIsLocked, hwprdHelpFile=hwprdHelpFile, hwbaStatus=hwbaStatus, hwpbInstallDate=hwpbInstallDate, hwkbStatus=hwkbStatus, hwnacMTU=hwnacMTU, hwpbChemistry=hwpbChemistry, hwidName=hwidName, hwpmmSpeed=hwpmmSpeed, hwnaRegistryIndex=hwnaRegistryIndex, hwspcSettingID=hwspcSettingID, hwcdCapabilities=hwcdCapabilities, hwcpuPowerManagementSupported=hwcpuPowerManagementSupported, hwtmpNominalReading=hwtmpNominalReading, hwobOtherIdentifyingInfo=hwobOtherIdentifyingInfo, hwssManufacturer=hwssManufacturer, hwprdDataFile=hwprdDataFile, hwcmLocation=hwcmLocation, hwtdCompressionMethod=hwtdCompressionMethod, hwdmaTransferWidths=hwdmaTransferWidths, hwdaDescription=hwdaDescription, hwprExtendedDetectedErrorState=hwprExtendedDetectedErrorState, hwpmCaption=hwpmCaption, hwcdMaxBlockSize=hwcdMaxBlockSize, hwsmrEndingAddress=hwsmrEndingAddress, hwbbName=hwbbName, hwrfgPowerManagementCapabilities=hwrfgPowerManagementCapabilities, hwmbAvailability=hwmbAvailability, hwddCompressionMethod=hwddCompressionMethod, hwpmMaxBaudRateToPhone=hwpmMaxBaudRateToPhone, hwcpuDescription=hwcpuDescription, hwspcDiscardNULLBytes=hwspcDiscardNULLBytes, hwnacTcpWindowSize=hwnacTcpWindowSize, hwssConnectorType=hwssConnectorType, hwbaAvailability=hwbaAvailability, hwhpActiveCooling=hwhpActiveCooling, hwddTotalTracks=hwddTotalTracks, hwdmaAddressSize=hwdmaAddressSize, hwpsdStatus=hwpsdStatus, win32FloppyDriveTable=win32FloppyDriveTable, hwrfgLastErrorCode=hwrfgLastErrorCode, hwtmpLowerThresholdCritical=hwtmpLowerThresholdCritical, hwpcmErrorDescription=hwpcmErrorDescription, hwprIndex=hwprIndex, hwprJobCountSinceLastReset=hwprJobCountSinceLastReset, hwprRawOnly=hwprRawOnly, hwvcAdapterDACType=hwvcAdapterDACType, hwmbName=hwmbName, hwpcConnectorType=hwpcConnectorType, hwirqVector=hwirqVector, hwpsdIndex=hwpsdIndex, hwtmpIsLinear=hwtmpIsLinear, hwfcErrorDescription=hwfcErrorDescription, hwcpLowerThresholdFatal=hwcpLowerThresholdFatal, hwpmMaxBaudRateToSerialPort=hwpmMaxBaudRateToSerialPort, hwideSystemName=hwideSystemName, hwfanConfigManagerErrorCode=hwfanConfigManagerErrorCode, hwddDescription=hwddDescription, hwddSCSIBus=hwddSCSIBus, hwddTotalCylinders=hwddTotalCylinders, hwpmaLocation=hwpmaLocation, hwprErrorInformation=hwprErrorInformation, hwpbPowerManagementCapabilities=hwpbPowerManagementCapabilities, hwtmpPowerManagementCapabilities=hwtmpPowerManagementCapabilities, hwbiDescription=hwbiDescription, hwnacForwardBufferMemory=hwnacForwardBufferMemory, hwvcMaxRefreshRate=hwvcMaxRefreshRate, hwpcPoweredOn=hwpcPoweredOn, hwcmSystemCreationClassName=hwcmSystemCreationClassName, hwspName=hwspName, hwpmaHeight=hwpmaHeight, hwucPowerManagementCapabilities=hwucPowerManagementCapabilities, hwptIsLocked=hwptIsLocked, hwprdDriverPath=hwprdDriverPath, hwuhAvailability=hwuhAvailability, hw1394PowerManagementSupported=hw1394PowerManagementSupported, hwspMaxBaudRate=hwspMaxBaudRate, hwfdPNPDeviceID=hwfdPNPDeviceID, hwsbmStartingAddress=hwsbmStartingAddress, hwbaPowerManagementCapabilities=hwbaPowerManagementCapabilities, hwupsCreationClassName=hwupsCreationClassName, hwnaSpeed=hwnaSpeed, hwddMaxBlockSize=hwddMaxBlockSize, hwidProtocolSupported=hwidProtocolSupported, hwprjSize=hwprjSize, hwmaDescription=hwmaDescription, hw1394ConfigManagerErrorCode=hw1394ConfigManagerErrorCode, hwbuStatus=hwbuStatus, hwcdMediaType=hwcdMediaType, hwpmdCleanerMedia=hwpmdCleanerMedia, hwpnpPNPDeviceID=hwpnpPNPDeviceID, hw1394LastErrorCode=hw1394LastErrorCode, hwmmErrorDataOrder=hwmmErrorDataOrder, hwbaEstimatedChargeRemaining=hwbaEstimatedChargeRemaining, hwpbIndex=hwpbIndex, hwcmErrorTime=hwcmErrorTime, hwtdMaxMediaSize=hwtdMaxMediaSize, hwnacServiceName=hwnacServiceName, hwpsdSystemCreationClassName=hwpsdSystemCreationClassName, hwvcDeviceSpecificPens=hwvcDeviceSpecificPens, hwsndStatusInfo=hwsndStatusInfo, hwdaCreationClassName=hwdaCreationClassName, hwkbStatusInfo=hwkbStatusInfo, hwfcStatus=hwfcStatus, hwvcDeviceID=hwvcDeviceID, hwprcName=hwprcName, hwideProtocolSupported=hwideProtocolSupported, hwscsiSystemCreationClassName=hwscsiSystemCreationClassName, hwsbmErrorMethodology=hwsbmErrorMethodology, hwbiCodeSet=hwbiCodeSet, hwddTracksPerCylinder=hwddTracksPerCylinder, hwspSupportsParityCheck=hwspSupportsParityCheck, hwsndAvailability=hwsndAvailability, hwcpMinReadable=hwcpMinReadable, hwsmrName=hwsmrName, hwfcDeviceID=hwfcDeviceID, hwbbRequirementsDescription=hwbbRequirementsDescription, hwddMinBlockSize=hwddMinBlockSize, hwtmpConfigManagerErrorCode=hwtmpConfigManagerErrorCode, win32SerialPortConfigEntry=win32SerialPortConfigEntry, win32SCSIControllerTable=win32SCSIControllerTable, hwidAvailability=hwidAvailability, hwseTypeDescriptions=hwseTypeDescriptions, hwtmpUpperThresholdFatal=hwtmpUpperThresholdFatal, hwtdCompression=hwtdCompression, hwcpStatusInfo=hwcpStatusInfo) mibBuilder.exportSymbols("INFORMANT-HW", hwidTimeOfLastReset=hwidTimeOfLastReset, hwpbSystemName=hwpbSystemName, hwvcTimeOfLastReset=hwvcTimeOfLastReset, hwnaServiceName=hwnaServiceName, hwasUserInputDelay=hwasUserInputDelay, hwuhCurrentAlternativeSettings=hwuhCurrentAlternativeSettings, hwcpSystemName=hwcpSystemName, hwkbConfigManagerUserConfig=hwkbConfigManagerUserConfig, hwcpuLoadPercentage=hwcpuLoadPercentage, hwmmOtherErrorDescription=hwmmOtherErrorDescription, hwppDescription=hwppDescription, hwnaNetworkAddresses=hwnaNetworkAddresses, hwpmmModel=hwpmmModel, win32AutochkSettingEntry=win32AutochkSettingEntry, hwspAvailability=hwspAvailability, hwirqCSCreationClassName=hwirqCSCreationClassName, hwbiIdentificationCode=hwbiIdentificationCode, hwprcDescription=hwprcDescription, hwupsPowerFailSignal=hwupsPowerFailSignal, hwprDefaultCapabilities=hwprDefaultCapabilities, hwcpuMaxClockSpeed=hwcpuMaxClockSpeed, hwpmResponsesKeyName=hwpmResponsesKeyName, hwscsiCreationClassName=hwscsiCreationClassName, hwcpPowerManagementCapabilities=hwcpPowerManagementCapabilities, hwuhInstallDate=hwuhInstallDate, hwddSize=hwddSize, hwspPowerManagementCapabilities=hwspPowerManagementCapabilities, hwcmAvailability=hwcmAvailability, hwbiSoftwareElementState=hwbiSoftwareElementState, hwnacWINSSecondaryServer=hwnacWINSSecondaryServer, hwtmpUpperThresholdNonCritical=hwtmpUpperThresholdNonCritical, hwuhErrorCleared=hwuhErrorCleared, hwvpNominalReading=hwvpNominalReading, hwmmStatus=hwmmStatus, hwdmBandwidth=hwdmBandwidth, hwseCableManagementStrategy=hwseCableManagementStrategy, hwpmPowerManagementCapabilities=hwpmPowerManagementCapabilities, hwspSystemCreationClassName=hwspSystemCreationClassName, hwprjPriority=hwprjPriority, hwcdNeedsCleaning=hwcdNeedsCleaning, hwupsTotalOutputPower=hwupsTotalOutputPower, hwcmErrorAddress=hwcmErrorAddress, hwcmErrorMethodology=hwcmErrorMethodology, hwsbmStatusInfo=hwsbmStatusInfo, win32BaseBoardEntry=win32BaseBoardEntry, hwdmaMaxTransferSize=hwdmaMaxTransferSize, hwprdSupportedPlatform=hwprdSupportedPlatform, hwnacWINSScopeID=hwnacWINSScopeID, hwpmDefault=hwpmDefault, hwnaManufacturer=hwnaManufacturer, hwprAttributes=hwprAttributes, hwdmPowerManagementCapabilities=hwdmPowerManagementCapabilities, hwvcMaxNumberControlled=hwvcMaxNumberControlled, hwpcmAvailability=hwpcmAvailability, hwfanStatus=hwfanStatus, hwtmpCurrentReading=hwtmpCurrentReading, hwtmpPowerManagementSupported=hwtmpPowerManagementSupported, hwbbCaption=hwbbCaption, hwprcDisplayFrequency=hwprcDisplayFrequency, hwpmaMemoryErrorCorrection=hwpmaMemoryErrorCorrection, hwprjNotify=hwprjNotify, hwspProtocolSupported=hwspProtocolSupported, hwseSecurityStatus=hwseSecurityStatus, hwtdErrorCleared=hwtdErrorCleared, hwsndPowerManagementSupported=hwsndPowerManagementSupported, hwcdVolumeSerialNumber=hwcdVolumeSerialNumber, hwucErrorDescription=hwucErrorDescription, win32PrinterConfigurationEntry=win32PrinterConfigurationEntry, hwspOSAutoDiscovered=hwspOSAutoDiscovered, win32DesktopMonitorTable=win32DesktopMonitorTable, hwpbExpectedLife=hwpbExpectedLife, hwbaConfigManagerErrorCode=hwbaConfigManagerErrorCode, hwidErrorDescription=hwidErrorDescription, hwcmOtherErrorDescription=hwcmOtherErrorDescription, hwpcIndex=hwpcIndex, hwseDepth=hwseDepth, hwkbConfigManagerErrorCode=hwkbConfigManagerErrorCode, hwbiStatus=hwbiStatus, hwpmaReplaceable=hwpmaReplaceable, hwcpLowerThresholdCritical=hwcpLowerThresholdCritical, hwseBreachDescription=hwseBreachDescription, win32SMBIOSMemoryTable=win32SMBIOSMemoryTable, hwbbModel=hwbbModel, hwssSerialNumber=hwssSerialNumber, hwpcmInstallDate=hwpcmInstallDate, hwvpErrorCleared=hwvpErrorCleared, hwcdMfrAssignedRevisionLevel=hwcdMfrAssignedRevisionLevel, hwdmDescription=hwdmDescription, hwvpLastErrorCode=hwvpLastErrorCode, hwdmaCaption=hwdmaCaption, hwppCreationClassName=hwppCreationClassName, hwnacIPConnectionMetric=hwnacIPConnectionMetric, hwppOSAutoDiscovered=hwppOSAutoDiscovered, hwscsiMaxNumberControlled=hwscsiMaxNumberControlled, hwspLastErrorCode=hwspLastErrorCode, hwprjTotalPages=hwprjTotalPages, hwprdVersion=hwprdVersion, hwupsLowBatterySignal=hwupsLowBatterySignal, hwbaMaxRechargeTime=hwbaMaxRechargeTime, hwdmaByteMode=hwdmaByteMode, win32TapeDriveTable=win32TapeDriveTable, hwpbDesignCapacity=hwpbDesignCapacity, hwpnpSystemName=hwpnpSystemName, wmiPrinting=wmiPrinting, hwprcCollate=hwprcCollate, hwpcOtherIdentifyingInfo=hwpcOtherIdentifyingInfo, hwsndErrorCleared=hwsndErrorCleared, hwfanInstallDate=hwfanInstallDate, hwdaCSName=hwdaCSName, hwprErrorCleared=hwprErrorCleared, hwbuPNPDeviceID=hwbuPNPDeviceID, hwnaPermanentAddress=hwnaPermanentAddress, hwddSystemName=hwddSystemName, hwvcSystemName=hwvcSystemName, hwcpuOtherFamilyDescription=hwcpuOtherFamilyDescription, hwddPartitions=hwddPartitions, hwpmmTag=hwpmmTag, hwobTag=hwobTag, hwuhCreationClassName=hwuhCreationClassName, hwpcStatus=hwpcStatus, hwvcStatus=hwvcStatus, hw1394InstallDate=hw1394InstallDate, hwspcXOnXMitThreshold=hwspcXOnXMitThreshold, hwuhCaption=hwuhCaption, hwprDefaultCopies=hwprDefaultCopies, hwtppInstallDate=hwtppInstallDate, hwddStatusInfo=hwddStatusInfo, hwsbmCorrectableError=hwsbmCorrectableError, hwpmConfigManagerErrorCode=hwpmConfigManagerErrorCode, hwdmaAvailability=hwdmaAvailability, hwvpSystemName=hwvpSystemName, hwpmVoiceSwitchFeature=hwpmVoiceSwitchFeature, hwidConfigManagerErrorCode=hwidConfigManagerErrorCode, hwcdErrorDescription=hwcdErrorDescription, hw1394Name=hw1394Name, hwucName=hwucName, hwpbSmartBatteryVersion=hwpbSmartBatteryVersion, hwuhProtocolCode=hwuhProtocolCode, hwptNumberOfButtons=hwptNumberOfButtons, hwsmrDescription=hwsmrDescription, hwsbmNumberOfBlocks=hwsbmNumberOfBlocks, hwpmPrefix=hwpmPrefix, hwfanAvailability=hwfanAvailability, hwprcICMIntent=hwprcICMIntent, hwvcProtocolSupported=hwvcProtocolSupported, win32VideoControllerEntry=win32VideoControllerEntry, hwpreCSCreationClassName=hwpreCSCreationClassName, hwpcVersion=hwpcVersion, hwptAvailability=hwptAvailability, win32BatteryEntry=win32BatteryEntry, hwssHeightAllowed=hwssHeightAllowed, hwseHotSwappable=hwseHotSwappable, hwtmpErrorDescription=hwtmpErrorDescription, hwcmNumberOfBlocks=hwcmNumberOfBlocks, hwpnpAvailability=hwpnpAvailability, hwtppIndex=hwtppIndex, hwbaBatteryRechargeTime=hwbaBatteryRechargeTime, hwbbManufacturer=hwbbManufacturer, hwcpuCpuStatus=hwcpuCpuStatus, hwfdNumberOfMediaSupported=hwfdNumberOfMediaSupported, hwpmmIndex=hwpmmIndex, hwobEnabled=hwobEnabled, hwspcDescription=hwspcDescription, win32PhysicalMemoryArrayTable=win32PhysicalMemoryArrayTable, hwcpLowerThresholdNonCritical=hwcpLowerThresholdNonCritical, win32CurrentProbeTable=win32CurrentProbeTable, hwtdConfigManagerUserConfig=hwtdConfigManagerUserConfig, hwcdRevisionLevel=hwcdRevisionLevel, hwppDeviceID=hwppDeviceID, hwpbCreationClassName=hwpbCreationClassName, hwprdMonitorName=hwprdMonitorName, hwvcCurrentBitsPerPixel=hwvcCurrentBitsPerPixel, hwddDeviceID=hwddDeviceID, hwprjStatusMask=hwprjStatusMask, hwcpNormalMin=hwcpNormalMin, hwsbmIndex=hwsbmIndex, hwasCaption=hwasCaption, hwcdErrorMethodology=hwcdErrorMethodology, hwbuBusNum=hwbuBusNum, hwprcYResolution=hwprcYResolution, hwvpIndex=hwvpIndex, hwnaConfigManagerErrorCode=hwnaConfigManagerErrorCode, hwbiSMBIOSBIOSVersion=hwbiSMBIOSBIOSVersion, win32DMAChannelEntry=win32DMAChannelEntry, win32SystemEnclosureTable=win32SystemEnclosureTable, hwspcParityCheckEnabled=hwspcParityCheckEnabled, hwcpLastErrorCode=hwcpLastErrorCode, hwsndMPU401Address=hwsndMPU401Address, win32SCSIControllerEntry=win32SCSIControllerEntry, hwppName=hwppName, hwcmEndingAddress=hwcmEndingAddress, hwtppDescription=hwtppDescription, hwssCreationClassName=hwssCreationClassName, hwvpResolution=hwvpResolution, hwmaConfigManagerErrorCode=hwmaConfigManagerErrorCode, hwspcDTRFlowControlType=hwspcDTRFlowControlType, hwcpuVersion=hwcpuVersion, hwcdSCSILogicalUnit=hwcdSCSILogicalUnit, hwppInstallDate=hwppInstallDate, hwidDescription=hwidDescription, hwucPowerManagementSupported=hwucPowerManagementSupported, hwpmdStatus=hwpmdStatus, hwpmPortSubClass=hwpmPortSubClass, hwmbPowerManagementCapabilities=hwmbPowerManagementCapabilities, hwsbmErrorAccess=hwsbmErrorAccess, hwcdErrorCleared=hwcdErrorCleared, hwcpuCurrentClockSpeed=hwcpuCurrentClockSpeed, hwpsdHardWareID=hwpsdHardWareID, hw1394TimeOfLastReset=hw1394TimeOfLastReset, hwspSupports16BitMode=hwspSupports16BitMode, hwfdCapabilities=hwfdCapabilities, hwpmModulationScheme=hwpmModulationScheme, hwpmaSKU=hwpmaSKU, hwpcmPowerManagementSupported=hwpcmPowerManagementSupported, hwrfgAvailability=hwrfgAvailability, hwspMaxNumberControlled=hwspMaxNumberControlled, hwprdCreationClassName=hwprdCreationClassName, hwdmaDescription=hwdmaDescription, hwpmBlindOn=hwpmBlindOn, hwpbErrorCleared=hwpbErrorCleared, hwmaStatus=hwmaStatus, hwidStatusInfo=hwidStatusInfo, hwnacTcpMaxDataRetransmissions=hwnacTcpMaxDataRetransmissions, hwupsPowerManagementCapabilities=hwupsPowerManagementCapabilities, hwdmLastErrorCode=hwdmLastErrorCode, hwvpConfigManagerErrorCode=hwvpConfigManagerErrorCode, hwpcmPowerManagementCapabilities=hwpcmPowerManagementCapabilities, hwdaCaption=hwdaCaption, hwprjDataType=hwprjDataType, hwmmErrorGranularity=hwmmErrorGranularity, hwpcmManufacturer=hwpcmManufacturer, hwupsEstimatedRunTime=hwupsEstimatedRunTime, hwnaPowerManagementSupported=hwnaPowerManagementSupported, hwvpMinReadable=hwvpMinReadable, hwmmDescription=hwmmDescription, hwcpuSocketDesignation=hwcpuSocketDesignation, hwirqIRQNumber=hwirqIRQNumber, hwsndDeviceID=hwsndDeviceID, hwfanErrorCleared=hwfanErrorCleared, hwddName=hwddName, hwcpuFamily=hwcpuFamily, hwnaInstallDate=hwnaInstallDate, hwbiBuildNumber=hwbiBuildNumber, hwmmErrorDescription=hwmmErrorDescription, win32BIOSTable=win32BIOSTable, hwkbSystemName=hwkbSystemName, hwcmSupportedSRAM=hwcmSupportedSRAM, hwasSettingID=hwasSettingID, hwvpMaxReadable=hwvpMaxReadable, hwvpName=hwvpName, win32MemoryArrayTable=win32MemoryArrayTable, hwbuAvailability=hwbuAvailability, hwobInstallDate=hwobInstallDate, hwdmMonitorType=hwdmMonitorType) mibBuilder.exportSymbols("INFORMANT-HW", hwpmmMemoryType=hwpmmMemoryType, hwspSupportsRLSD=hwspSupportsRLSD, hwprShareName=hwprShareName, hwprEnableDevQueryPrint=hwprEnableDevQueryPrint, hwbuErrorDescription=hwbuErrorDescription, hwbiBiosCharacteristics=hwbiBiosCharacteristics, hwfcPNPDeviceID=hwfcPNPDeviceID, hwspcEventCharacter=hwspcEventCharacter, hwupsRange1InputFrequencyLow=hwupsRange1InputFrequencyLow, hwprDirect=hwprDirect, hwrfgConfigManagerUserConfig=hwrfgConfigManagerUserConfig, hwfcConfigManagerErrorCode=hwfcConfigManagerErrorCode, hwnacIPUseZeroBroadcast=hwnacIPUseZeroBroadcast, hwseServiceDescriptions=hwseServiceDescriptions, hwprdInstallDate=hwprdInstallDate, hwddSCSITargetId=hwddSCSITargetId, hwfdConfigManagerErrorCode=hwfdConfigManagerErrorCode, win32IDEControllerTable=win32IDEControllerTable, win32MemoryDeviceEntry=win32MemoryDeviceEntry, hwfanPowerManagementCapabilities=hwfanPowerManagementCapabilities, hwcmPowerManagementSupported=hwcmPowerManagementSupported, hwcmPurpose=hwcmPurpose, hwmmConfigManagerUserConfig=hwmmConfigManagerUserConfig, hwnacSettingID=hwnacSettingID, hwtppSystemCreationClassName=hwtppSystemCreationClassName, hwcdPowerManagementCapabilities=hwcdPowerManagementCapabilities, hwkbErrorDescription=hwkbErrorDescription, hwddManufacturer=hwddManufacturer, hwcmErrorTransferSize=hwcmErrorTransferSize, hwspSupportsXOnXOffSet=hwspSupportsXOnXOffSet, hwidStatus=hwidStatus, hwsndConfigManagerErrorCode=hwsndConfigManagerErrorCode, hwbiName=hwbiName, hwpsdPDO=hwpsdPDO, hwpmdCaption=hwpmdCaption, hwuhDeviceID=hwuhDeviceID, hwrfgPNPDeviceID=hwrfgPNPDeviceID, hwprdOEMUrl=hwprdOEMUrl, hwvcDescription=hwvcDescription, hwpmaInstallDate=hwpmaInstallDate, hwddTotalSectors=hwddTotalSectors, hwcpuStepping=hwcpuStepping, hwdmCaption=hwdmCaption, hwcmReplacementPolicy=hwcmReplacementPolicy, hwpcInternalReferenceDesignator=hwpcInternalReferenceDesignator, hwpmmSerialNumber=hwpmmSerialNumber, hwppPowerManagementSupported=hwppPowerManagementSupported, win32VoltageProbeTable=win32VoltageProbeTable, hwdmStatus=hwdmStatus, hwpbAvailability=hwpbAvailability, win32InfraredDeviceEntry=win32InfraredDeviceEntry, hwpmdCapacity=hwpmdCapacity, hwcpCaption=hwcpCaption, hwvcStatusInfo=hwvcStatusInfo, hwucPNPDeviceID=hwucPNPDeviceID, hwcdConfigManagerErrorCode=hwcdConfigManagerErrorCode)
[ 2, 198, 2, 9485, 15571, 7378, 337, 9865, 8265, 3268, 21389, 8643, 12, 39, 54, 357, 4023, 1378, 16184, 76, 489, 8937, 13, 785, 14, 79, 893, 11632, 8, 198, 2, 7054, 45, 13, 16, 2723, 2393, 1378, 14, 14490, 14, 67, 615, 47562, 19, ...
2.654843
233,236
#!/usr/bin/env python """ Single module to hold the high-level API """ import numpy as np from .cy_point_in_polygon import points_in_poly, points_in_polys, signed_area def polygon_inside(polygon_verts, trial_points): ''' Return a Boolean array the size of the trial point array True if point is inside INPUTS ------ polygon_verts: Mx2 array trial_points: Nx2 array RETURNS ------- inside_points: Boolean array (len(N)) True if the trial point is inside the polygon ''' polygon_verts = np.asarray(polygon_verts, dtype=np.float) trial_points = np.asarray(trial_points, dtype=np.float) return points_in_poly(polygon_verts, trial_points) def polygon_area(polygon_verts): """ Calculate the area of a polygon expects a sequence of tuples, or something like it (Nx2 array for instance), of the points: [ (x1, y1), (x2, y2), (x3, y3), ...(xi, yi) ] See: http://paulbourke.net/geometry/clockwise/ """ # # note: this is the exact same code as the clockwise code. # # they should both be cythonized and used in one place. # polygon_verts = np.asarray(polygon_verts, np.float64) # total = (polygon_verts[-1, 0] * polygon_verts[0, 1] - # polygon_verts[0, 0] * polygon_verts[-1, 1]) # last point to first point # for i in range(len(polygon_verts) - 1): # total += (polygon_verts[i, 0] * polygon_verts[i + 1, 1] - # polygon_verts[i + 1, 0] * polygon_verts[i, 1]) # return abs(total / 2.0) polygon_verts = np.asarray(polygon_verts, np.float64) return abs(signed_area(polygon_verts)) def polygon_issimple(polygon_verts): ''' Return true if the polygon is simple i.e. has no holes, crossing segments, etc. ''' # code raise NotImplementedError # return issimple def polygon_rotation(polygon_verts, convex=False): ''' Return a int/bool flag indicating the "winding order" of the polygon i.e. clockwise or anti-clockwise INPUT ----- polygon_verts: Mx2 array convex=False: flag to indicate if the polygon is convex -- if it is convex, a faster algorithm will be used. OUTPUT ------ rotation: scalar / boolean 1 for a positive rotation according to the right-hand rule 0 for a negative rotation according to the right hand rule Note, only defined for a simple polygon. Raises error if not simple. ''' # fixme: need test for simpile polygon! polygon_verts = np.asarray(polygon_verts, np.float64) s_a = signed_area(polygon_verts) if s_a < 0: return 1 elif s_a > 0: return 0 else: raise ValueError("can't compute rotation of a zero-area polygon") def polygon_centroid(polygon_verts): ''' Return the (x, y) location of the polygon centroid INPUT ----- polygon_verts: Mx2 array OUTPUT ------ xy_centroid: 1x2 ''' raise NotImplementedError
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 198, 198, 37811, 198, 28008, 8265, 284, 1745, 262, 1029, 12, 5715, 7824, 198, 37811, 198, 198, 11748, 299, 32152, 355, 45941, 198, 198, 6738, 764, 948, 62, 4122, 62, 259, 62, 35428, 14520, ...
2.444444
1,251
root_doc = 'equations' extensions = ['sphinx.ext.imgmath']
[ 15763, 62, 15390, 796, 705, 4853, 602, 6, 198, 2302, 5736, 796, 37250, 82, 746, 28413, 13, 2302, 13, 9600, 11018, 20520, 198 ]
2.565217
23
#!/usr/bin/env python3 # Copyright (c) Facebook, Inc. and its affiliates. All Rights Reserved. from idb.grpc.types import CompanionClient from idb.grpc.idb_pb2 import Location, SetLocationRequest
[ 2, 48443, 14629, 14, 8800, 14, 24330, 21015, 18, 198, 2, 15069, 357, 66, 8, 3203, 11, 3457, 13, 290, 663, 29116, 13, 1439, 6923, 33876, 13, 628, 198, 6738, 4686, 65, 13, 2164, 14751, 13, 19199, 1330, 30653, 11792, 198, 6738, 4686, ...
3.316667
60
# vim: set fileencoding=utf-8 : import sys import os import shutil import tempfile import pytest import pyvips from helpers import \ JPEG_FILE, PNG_FILE, TIF_FILE, \ temp_filename, assert_almost_equal_objects, have, skip_if_no if __name__ == '__main__': pytest.main()
[ 2, 43907, 25, 900, 2393, 12685, 7656, 28, 40477, 12, 23, 1058, 198, 198, 11748, 25064, 198, 11748, 28686, 198, 11748, 4423, 346, 198, 11748, 20218, 7753, 198, 11748, 12972, 9288, 198, 198, 11748, 12972, 85, 2419, 198, 6738, 49385, 1330,...
2.704762
105
from bonsai.base.regtree import RegTree from sklearn.datasets import make_friedman1 from sklearn.model_selection import train_test_split import numpy as np import unittest from misc import apply_tree if __name__=="__main__": unittest.main()
[ 6738, 275, 684, 1872, 13, 8692, 13, 2301, 21048, 1330, 3310, 27660, 198, 6738, 1341, 35720, 13, 19608, 292, 1039, 1330, 787, 62, 25520, 805, 16, 198, 6738, 1341, 35720, 13, 19849, 62, 49283, 1330, 4512, 62, 9288, 62, 35312, 198, 11748...
3.074074
81
from numba import guvectorize import numpy as np @guvectorize(['void(int64[:,:], int64[:,:], int64[:,:])'], '(m,n),(n,p)->(m,p)') dim = 10 A = np.random.randint(dim, size=(dim, dim)) B = np.random.randint(dim, size=(dim, dim)) C = matmul(A, B) print("INPUT MATRIX A") print(":\n%s" % A) print("INPUT MATRIX B") print(":\n%s" % B) print("RESULT MATRIX C = A*B") print(":\n%s" % C)
[ 6738, 997, 7012, 1330, 915, 31364, 1096, 198, 11748, 299, 32152, 355, 45941, 628, 198, 31, 5162, 31364, 1096, 7, 17816, 19382, 7, 600, 2414, 58, 45299, 25, 4357, 493, 2414, 58, 45299, 25, 4357, 493, 2414, 58, 45299, 25, 12962, 6, 43...
2.020305
197
import logging import math import torch.utils.model_zoo as model_zoo _logger = logging.getLogger(__name__)
[ 11748, 18931, 198, 11748, 10688, 198, 11748, 28034, 13, 26791, 13, 19849, 62, 89, 2238, 355, 2746, 62, 89, 2238, 628, 198, 62, 6404, 1362, 796, 18931, 13, 1136, 11187, 1362, 7, 834, 3672, 834, 8, 628 ]
2.972973
37
from collections import defaultdict #TODO: rename obj to something more descriptive #TODO: make test cases to test everything #######################################################################################################
[ 198, 6738, 17268, 1330, 4277, 11600, 198, 198, 2, 51, 3727, 46, 25, 36265, 26181, 284, 1223, 517, 35644, 198, 2, 51, 3727, 46, 25, 787, 1332, 2663, 284, 1332, 2279, 628, 628, 628, 198, 29113, 29113, 29113, 4242, 21017, 628, 628, 628...
5.651163
43
import discord from discord.ext import commands from console import Console console = Console(True)
[ 11748, 36446, 198, 6738, 36446, 13, 2302, 1330, 9729, 198, 6738, 8624, 1330, 24371, 198, 198, 41947, 796, 24371, 7, 17821, 8 ]
4.545455
22
class PurchaseOrder: """ Represents a Purchase Order. """ id = '' purchase_order_id = '' latest = False created_at = '' acknowledged_at = '' requested_delivery_from = '' requested_delivery_to = '' currency = '' gross_amount = 0.0 tax_amount = 0.0 total_amount = 0.0 is_partial_delivery = False sales_order = {} delivery_address = {} supplier = {} lines = [] # @property # def gross_amount(self): # return self.gross_amount # # @gross_amount.setter # def gross_amount(self, val): # """Validate that the gross amount is of correct value.""" # if not (self.total_amount - self.tax_amount) == val: # raise ValueError('Gross Amount is not of a correct value.') # self.gross_amount = val # # @property # def tax_amount(self): # return self.tax_amount # # @tax_amount.setter # def tax_amount(self, val): # """Validate that the tax amount is of correct value.""" # if not (self.total_amount - self.gross_amount) == val: # raise ValueError('Tax Amount is not of a correct value.') # self.tax_amount = val # # @property # def total_amount(self): # return self.total_amount # # @total_amount.setter # def total_amount(self, val): # """Validate that the total amount is of correct value.""" # if not (self.gross_amount + self.tax_amount) == val: # print(val) # print(self.gross_amount) # print(self.tax_amount) # raise ValueError('Tax Amount is not of a correct value.') # self.total_amount = val # Need to add try/catch when modifying purchase order and dispatch them. # Logic here in methods that checks that its # not possible to change the total, it should be calculated automatically
[ 4871, 27637, 18743, 25, 198, 220, 220, 220, 37227, 198, 220, 220, 220, 1432, 6629, 257, 27637, 8284, 13, 198, 220, 220, 220, 37227, 198, 220, 220, 220, 4686, 796, 10148, 198, 220, 220, 220, 5001, 62, 2875, 62, 312, 796, 10148, 198, ...
2.482399
767
# nlantau, 2020-11-09 print(evens_and_odds(1)) print(evens_and_odds(2)) print(evens_and_odds(3)) print(evens_and_odds(13))
[ 2, 299, 75, 415, 559, 11, 12131, 12, 1157, 12, 2931, 628, 198, 198, 4798, 7, 10197, 82, 62, 392, 62, 5088, 82, 7, 16, 4008, 198, 4798, 7, 10197, 82, 62, 392, 62, 5088, 82, 7, 17, 4008, 198, 4798, 7, 10197, 82, 62, 392, 62, ...
1.909091
66
import pytest from bg_atlasapi.bg_atlas import BrainGlobeAtlas import tempfile import shutil from pathlib import Path @pytest.fixture() @pytest.fixture() @pytest.fixture(scope="module")
[ 11748, 12972, 9288, 198, 6738, 275, 70, 62, 265, 21921, 15042, 13, 35904, 62, 265, 21921, 1330, 14842, 9861, 5910, 2953, 21921, 198, 11748, 20218, 7753, 198, 11748, 4423, 346, 198, 6738, 3108, 8019, 1330, 10644, 628, 198, 31, 9078, 9288...
2.811594
69
import distributions import math import numpy as np import os import projections import random import sys # Interface for models # ToImplement # Dumps the data into a file class Base(Model_Backbone): """ In this model, each forward step represents a day. All people are assigned a household and begin their day with 8 hours in their household. Then they are sent to work for 8 hours or their primary occupation. Finally, they return home and those with a secondary gathering location will go there for approximately one hour. Then finally everyone returns home for 16 hours. """ # Simulates time hours in the specified location key # Counts up DSI for each infected agent and simulates recovery if above threshold # Helper function to get classes from string
[ 11748, 24570, 201, 198, 11748, 10688, 201, 198, 11748, 299, 32152, 355, 45941, 201, 198, 11748, 28686, 201, 198, 11748, 19887, 201, 198, 11748, 4738, 201, 198, 11748, 25064, 201, 198, 201, 198, 201, 198, 2, 26491, 329, 4981, 201, 198, ...
2.682584
356